All Questions

Adding an Aiomatic Remote Chatbot as a Popup To The Remote Site

How to Add an Aiomatic Remote Chatbot as a Popup

This guide explains how to integrate the Aiomatic remote chatbot as a floating popup on your website.

Step 1: Copy and Paste the Code

Add the following code to your website where you want the chatbot popup to appear:

<style>
.floating-iframe-container {
    padding-top: 15px;
    position: fixed; /* Makes it float on top */
    bottom: 20px; /* Adjust the vertical position */
    right: 20px; /* Adjust the horizontal position */
    width: 600px; /* Matches iframe width */
    height: 500px; /* Matches iframe height */
    z-index: 1000; /* Ensures it's above other elements */
    border: 1px solid #ccc; /* Optional styling */
    box-shadow: 0 4px 8px rgba(0, 0, 0, 0.2); /* Optional shadow */
    background: white; /* Background for better visibility */
    display: none; /* Initially hidden */
}
.close-button {
    position: absolute;
    top: 5px;
    right: 5px;
    cursor: pointer;
    font-size: 16px;
    background: #f44336;
    color: white;
    border: none;
    border-radius: 3px;
    padding: 5px 10px;
}
.open-button {
    position: fixed;
    bottom: 20px;
    right: 20px;
    z-index: 999;
    background: #008cba;
    color: white;
    font-size: 16px;
    padding: 10px 20px;
    border: none;
    border-radius: 5px;
    cursor: pointer;
    box-shadow: 0 4px 8px rgba(0, 0, 0, 0.2); /* Optional shadow */
}
</style>

<button class="open-button" onclick="openIframe()">Open Chat</button>
<div class="floating-iframe-container">
    <button class="close-button" onclick="closeIframe()">Close</button>
    <iframe src="https://localhost/wp/?aiomatic_remote_chat=chatbot-677e485d0d496" 
            width="100%" height="100%" frameborder="0" scrolling="no">
        Your browser does not support iframes.
    </iframe>
</div>

<script>
function closeIframe() {
    const iframeContainer = document.querySelector('.floating-iframe-container');
    iframeContainer.style.display = 'none';
    const openButton = document.querySelector('.open-button');
    openButton.style.display = 'block';
}
function openIframe() {
    const iframeContainer = document.querySelector('.floating-iframe-container');
    iframeContainer.style.display = 'block';
    const openButton = document.querySelector('.open-button');
    openButton.style.display = 'none';
}
</script>

Step 2: Replace the Iframe URL

Important: Replace the URL in the <iframe> tag (http://localhost/wp/?aiomatic_remote_chat=chatbot-677e485d0d496) with the URL provided by the Aiomatic plugin. You can find this URL in the “Remote Chatbot” tab under the “AI Chatbot” menu in Aiomatic.

Step 3: Test the Chatbot

Save your changes and load your website to ensure the chatbot popup is working as expected. You should see a button labeled “Open Chat.” Clicking it will display the chatbot popup, and clicking “Close” will hide it again.

Customization Options

You can adjust the appearance and functionality by modifying the CSS or JavaScript in the provided code:

  • Change the width and height of the chatbot popup by editing the width and height properties in the CSS.
  • Adjust the position of the popup by modifying the bottom and right properties.
  • Style the “Open Chat” and “Close” buttons by editing their respective CSS classes.

Aiomatic Plugin Developer Documentation

Aiomatic Plugin Developer Documentation

Welcome to the developer documentation for the Aiomatic plugin. This guide provides an overview of all the filters and action hooks available for developers to customize and extend the plugin’s functionality.

Filters

Filters allow you to modify internal data of the plugin at specific points during execution. Below is a list of all available filters, along with their descriptions and usage examples.


1. aiomatic_openai_api_key

Description: Modify the OpenAI API key used for generating text.

Usage:


add_filter('aiomatic_openai_api_key', 'modify_aiomatic_api_key');

function modify_aiomatic_api_key($api_key) {
    // Your custom logic to modify the API key
    return $api_key;
}

Parameters:

  • $api_key (string): The original OpenAI API key.

2. aiomatic_model_selection

Description: Modify the AI model used for text generation.

Usage:


add_filter('aiomatic_model_selection', 'select_custom_model');

function select_custom_model($model) {
    // Your custom logic to select a different model
    return $model;
}

Parameters:

  • $model (string): The original AI model name.

3. aiomatic_assistant_id_custom_logic

Description: Modify the assistant ID based on custom logic.

Usage:


add_filter('aiomatic_assistant_id_custom_logic', 'custom_assistant_id_logic', 10, 3);

function custom_assistant_id_logic($assistant_id, $aicontent, $model) {
    // Your custom logic to modify the assistant ID
    return $assistant_id;
}

Parameters:

  • $assistant_id (string): The original assistant ID.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.

4. aiomatic_modify_ai_query

Description: Modify the AI query before it is sent to the AI model.

Usage:


add_filter('aiomatic_modify_ai_query', 'modify_ai_query', 10, 3);

function modify_ai_query($aicontent, $model, $assistant_id) {
    // Your custom logic to modify the AI query
    return $aicontent;
}

Parameters:

  • $aicontent (mixed): The original AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

5. aiomatic_retry_count

Description: Adjust the number of retry attempts for the AI query.

Usage:


add_filter('aiomatic_retry_count', 'set_retry_count', 10, 4);

function set_retry_count($retry_count, $aicontent, $model, $assistant_id) {
    // Your custom logic to set the retry count
    return $retry_count;
}

Parameters:

  • $retry_count (int): The original retry count.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

6. aiomatic_is_ai_query_allowed

Description: Determine if the AI query is allowed to proceed.

Usage:


add_filter('aiomatic_is_ai_query_allowed', 'check_ai_query_permission', 10, 2);

function check_ai_query_permission($is_allowed, $aicontent) {
    // Your custom logic to allow or disallow the query
    return $is_allowed; // Return true to allow, or a string error message to disallow
}

Parameters:

  • $is_allowed (bool|string): True if allowed, or an error message string if not.
  • $aicontent (mixed): The AI content or prompt.

7. aiomatic_modify_ai_error

Description: Modify the error message returned when an error occurs.

Usage:


add_filter('aiomatic_modify_ai_error', 'customize_ai_error_message');

function customize_ai_error_message($error) {
    // Your custom logic to modify the error message
    return $error;
}

Parameters:

  • $error (string): The original error message.

8. aiomatic_function_result

Description: Modify the function result before it’s processed.

Usage:


add_filter('aiomatic_function_result', 'alter_function_result', 10, 4);

function alter_function_result($function_result, $aicontent, $model, $assistant_id) {
    // Your custom logic to modify the function result
    return $function_result;
}

Parameters:

  • $function_result (mixed): The original function result.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

9. aiomatic_user_role_adjustment

Description: Adjust the user role in the AI query.

Usage:


add_filter('aiomatic_user_role_adjustment', 'adjust_user_role', 10, 4);

function adjust_user_role($role, $aicontent, $model, $assistant_id) {
    // Your custom logic to adjust the user role
    return $role;
}

Parameters:

  • $role (string): The original user role (e.g., ‘user’).
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

10. aiomatic_user_question

Description: Modify the user’s question before it’s sent to the AI.

Usage:


add_filter('aiomatic_user_question', 'modify_user_question', 10, 4);

function modify_user_question($user_question, $role, $model, $aicontent) {
    // Your custom logic to modify the user's question
    return $user_question;
}

Parameters:

  • $user_question (string): The original user question.
  • $role (string): The user role.
  • $model (string): The AI model name.
  • $aicontent (mixed): The AI content or prompt.

11. aiomatic_thread_id

Description: Modify the thread ID for the AI conversation.

Usage:


add_filter('aiomatic_thread_id', 'set_thread_id', 10, 4);

function set_thread_id($thread_id, $aicontent, $model, $assistant_id) {
    // Your custom logic to set the thread ID
    return $thread_id;
}

Parameters:

  • $thread_id (string): The original thread ID.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

12. aiomatic_temperature

Description: Modify the temperature parameter, which controls the randomness of the AI output.

Usage:


add_filter('aiomatic_temperature', 'set_temperature', 10, 4);

function set_temperature($temperature, $aicontent, $model, $assistant_id) {
    // Your custom logic to set the temperature
    return $temperature;
}

Parameters:

  • $temperature (float): The original temperature value.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

13. aiomatic_top_p

Description: Modify the top_p parameter, controlling the diversity of the AI output.

Usage:


add_filter('aiomatic_top_p', 'set_top_p', 10, 4);

function set_top_p($top_p, $aicontent, $model, $assistant_id) {
    // Your custom logic to set the top_p value
    return $top_p;
}

Parameters:

  • $top_p (float): The original top_p value.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

14. aiomatic_presence_penalty

Description: Modify the presence penalty parameter, which penalizes new tokens based on whether they appear in the text so far.

Usage:


add_filter('aiomatic_presence_penalty', 'set_presence_penalty', 10, 4);

function set_presence_penalty($presence_penalty, $aicontent, $model, $assistant_id) {
    // Your custom logic to set the presence penalty
    return $presence_penalty;
}

Parameters:

  • $presence_penalty (float): The original presence penalty value.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

15. aiomatic_frequency_penalty

Description: Modify the frequency penalty parameter, which penalizes new tokens based on their existing frequency in the text.

Usage:


add_filter('aiomatic_frequency_penalty', 'set_frequency_penalty', 10, 4);

function set_frequency_penalty($frequency_penalty, $aicontent, $model, $assistant_id) {
    // Your custom logic to set the frequency penalty
    return $frequency_penalty;
}

Parameters:

  • $frequency_penalty (float): The original frequency penalty value.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

16. aiomatic_vision_file

Description: Modify the vision file used for AI image processing.

Usage:


add_filter('aiomatic_vision_file', 'set_vision_file', 10, 4);

function set_vision_file($vision_file, $aicontent, $model, $assistant_id) {
    // Your custom logic to set the vision file
    return $vision_file;
}

Parameters:

  • $vision_file (string): The path to the vision file.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

17. aiomatic_embedding_namespace

Description: Modify the embedding namespace for vector embeddings.

Usage:


add_filter('aiomatic_embedding_namespace', 'set_embedding_namespace', 10, 4);

function set_embedding_namespace($embedding_namespace, $aicontent, $model, $assistant_id) {
    // Your custom logic to set the embedding namespace
    return $embedding_namespace;
}

Parameters:

  • $embedding_namespace (string): The original embedding namespace.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

18. aiomatic_ai_functions

Description: Add or modify AI functions before they are processed.

Usage:


add_filter('aiomatic_ai_functions', 'add_custom_ai_functions');

function add_custom_ai_functions($functions) {
    // Your custom logic to add or modify AI functions
    return $functions;
}

Parameters:

  • $functions (array|false): The original AI functions or false if none.

19. aiomatic_post_ai_functions

Description: Modify AI functions after initial processing.

Usage:


add_filter('aiomatic_post_ai_functions', 'modify_post_ai_functions');

function modify_post_ai_functions($functions) {
    // Your custom logic to modify AI functions
    return $functions;
}

Parameters:

  • $functions (array|false): The AI functions array.

20. aiomatic_available_tokens_before_check

Description: Modify the available tokens before checking token limits.

Usage:


add_filter('aiomatic_available_tokens_before_check', 'adjust_available_tokens', 10, 4);

function adjust_available_tokens($available_tokens, $aicontent, $model, $assistant_id) {
    // Your custom logic to adjust available tokens
    return $available_tokens;
}

Parameters:

  • $available_tokens (int): The original number of available tokens.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

21. aiomatic_should_store_data

Description: Determine whether to store data from the AI query.

Usage:


add_filter('aiomatic_should_store_data', 'decide_data_storage', 10, 4);

function decide_data_storage($store_data, $aicontent, $model, $assistant_id) {
    // Your custom logic to decide data storage
    return $store_data; // Return true or false
}

Parameters:

  • $store_data (bool): Whether to store data.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

22. aiomatic_modify_ai_reply

Description: Modify the AI’s reply before it is returned.

Usage:


add_filter('aiomatic_modify_ai_reply', 'alter_ai_reply', 10, 2);

function alter_ai_reply($response_text, $aicontent) {
    // Your custom logic to modify the AI reply
    return $response_text;
}

Parameters:

  • $response_text (string): The original AI reply.
  • $aicontent (mixed): The AI content or prompt.

23. aiomatic_final_response_text

Description: Modify the final response text after all processing.

Usage:


add_filter('aiomatic_final_response_text', 'finalize_response_text', 10, 4);

function finalize_response_text($response_text, $aicontent, $model, $assistant_id) {
    // Your custom logic for the final response text
    return $response_text;
}

Parameters:

  • $response_text (string): The final AI response text.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

Actions

Actions allow you to execute custom code at specific points during the plugin’s execution. Below is a list of all available actions, along with their descriptions and usage examples.


1. aiomatic_on_error

Description: Triggered when an error occurs during the AI query process.

Usage:


add_action('aiomatic_on_error', 'handle_ai_error', 10, 4);

function handle_ai_error($error, $aicontent, $model, $assistant_id) {
    // Your custom logic to handle the error
}

Parameters:

  • $error (string): The error message.
  • $aicontent (mixed): The AI content or prompt that caused the error.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

2. aiomatic_on_streamed_query

Description: Triggered when a streamed query is initiated.

Usage:


add_action('aiomatic_on_streamed_query', 'on_streamed_query_start', 10, 3);

function on_streamed_query_start($aicontent, $model, $assistant_id) {
    // Your custom logic for streamed queries
}

Parameters:

  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

3. aiomatic_on_token_limit_warning

Description: Triggered when the available token limit is low.

Usage:


add_action('aiomatic_on_token_limit_warning', 'handle_token_limit_warning', 10, 4);

function handle_token_limit_warning($available_tokens, $aicontent, $model, $assistant_id) {
    // Your custom logic when token limit is low
}

Parameters:

  • $available_tokens (int): The number of available tokens remaining.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

4. aiomatic_before_vision_file_process

Description: Triggered before processing the vision file for AI image processing.

Usage:


add_action('aiomatic_before_vision_file_process', 'before_vision_file_processing', 10, 4);

function before_vision_file_processing($vision_file, $aicontent, $model, $assistant_id) {
    // Your custom logic before processing the vision file
}

Parameters:

  • $vision_file (string): The path to the vision file.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

5. aiomatic_before_assistant_ai_query

Description: Triggered before sending a query to the assistant AI.

Usage:


add_action('aiomatic_before_assistant_ai_query', 'before_assistant_query', 10, 15);

function before_assistant_query($token, $assistant_id, $local_assistant_id, $role, $user_question, $thread_id, $no_internet, $no_embeddings, $env, $retry_count, $embedding_namespace, $stream, $function_result, $vision_file, $file_data) {
    // Your custom logic before the assistant AI query
}

Parameters:

  • $token (string): The API token.
  • $assistant_id (string): The assistant ID.
  • $local_assistant_id (string): The local assistant ID.
  • $role (string): The user role.
  • $user_question (string): The user’s question.
  • $thread_id (string): The thread ID.
  • $no_internet (bool): Whether internet access is disabled.
  • $no_embeddings (bool): Whether embeddings are disabled.
  • $env (mixed): The environment settings.
  • $retry_count (int): The retry count.
  • $embedding_namespace (string): The embedding namespace.
  • $stream (bool): Whether streaming is enabled.
  • $function_result (mixed): The function result.
  • $vision_file (string): The vision file path.
  • $file_data (mixed): Additional file data.

6. aiomatic_after_assistant_ai_query

Description: Triggered after receiving a response from the assistant AI.

Usage:


add_action('aiomatic_after_assistant_ai_query', 'after_assistant_query', 10, 16);

function after_assistant_query($response_ai, $token, $assistant_id, $local_assistant_id, $role, $user_question, $thread_id, $no_internet, $no_embeddings, $env, $retry_count, $embedding_namespace, $stream, $function_result, $vision_file, $file_data) {
    // Your custom logic after the assistant AI query
}

Parameters:

  • $response_ai (mixed): The AI’s response.
  • Other parameters are the same as in aiomatic_before_assistant_ai_query.

7. aiomatic_before_chat_ai_query

Description: Triggered before sending a chat-based AI query.

Usage:


add_action('aiomatic_before_chat_ai_query', 'before_chat_query', 10, 23);

function before_chat_query($token, $model, $chatgpt_obj, $available_tokens, $temperature, $top_p, $presence_penalty, $frequency_penalty, $is_chat, $env, $retry_count, $finish_reason, $error, $no_internet, $no_embeddings, $functions, $stream, $vision_file, $additional_param, $user_question, $embedding_namespace, $function_result, $additional_param2, $store_data) {
    // Your custom logic before the chat AI query
}

Parameters:

  • A comprehensive list including all relevant variables before the chat AI query is sent.

8. aiomatic_after_chat_ai_query

Description: Triggered after receiving a response from a chat-based AI query.

Usage:


add_action('aiomatic_after_chat_ai_query', 'after_chat_query', 10, 24);

function after_chat_query($response_text, $token, $model, $chatgpt_obj, $available_tokens, $temperature, $top_p, $presence_penalty, $frequency_penalty, $is_chat, $env, $retry_count, $finish_reason, $error, $no_internet, $no_embeddings, $functions, $stream, $vision_file, $additional_param, $user_question, $embedding_namespace, $function_result, $additional_param2, $store_data) {
    // Your custom logic after the chat AI query
}

Parameters:

  • $response_text (string): The AI’s response.
  • Other parameters are the same as in aiomatic_before_chat_ai_query.

9. aiomatic_before_completion_ai_query

Description: Triggered before sending a completion-based AI query.

Usage:


add_action('aiomatic_before_completion_ai_query', 'before_completion_query', 10, 18);

function before_completion_query($token, $model, $aicontent, $available_tokens, $temperature, $top_p, $presence_penalty, $frequency_penalty, $is_chat, $env, $retry_count, $finish_reason, $error, $no_internet, $no_embeddings, $stream, $user_question, $embedding_namespace, $vision_file) {
    // Your custom logic before the completion AI query
}

Parameters:

  • $token (string): The API token.
  • $model (string): The AI model name.
  • $aicontent (mixed): The AI content or prompt.
  • Other relevant parameters for the completion AI query.

10. aiomatic_on_successful_response

Description: Triggered when the AI returns a successful response.

Usage:


add_action('aiomatic_on_successful_response', 'handle_successful_response', 10, 4);

function handle_successful_response($response_text, $aicontent, $model, $assistant_id) {
    // Your custom logic for successful AI responses
}

Parameters:

  • $response_text (string): The AI’s response.
  • $aicontent (mixed): The AI content or prompt.
  • $model (string): The AI model name.
  • $assistant_id (string): The assistant ID.

Notes

  • Parameter Types: The parameter types are indicated in parentheses next to each parameter name.
  • Hook Priority: The integer 10 in the add_filter and add_action functions represents the priority of your function execution. Lower numbers mean earlier execution.
  • Argument Count: The number after the priority (e.g., 10, 3) specifies the number of arguments your function accepts.

Conclusion

By utilizing these filters and actions, you can customize the Aiomatic plugin to better suit your needs. Whether it’s modifying the AI query parameters, handling errors, or processing the AI’s response, these hooks provide a flexible way to extend the plugin’s functionality.

For any questions or further assistance, feel free to reach out or consult the plugin’s support resources.

Happy coding!

[aiomatic-article] Shortcode Documentation

The [aiomatic-article] shortcode is used to generate dynamic content for your WordPress site using Aiomatic. This shortcode allows for the creation of articles with specified parameters such as article seed expression, model settings, image inclusion, and more.

Parameters

Here is a detailed description of each parameter available in the shortcode:

  • seed_expre: The seed expression for the article. This is the initial text prompt given to the AI to generate the content. (Default: ”)
  • temperature: Controls the randomness of the AI output. A higher value like 1 will make the output more random, while lower values like 0.2 will make it more focused and deterministic. (Default: 1)
  • top_p: Controls the diversity via nucleus sampling. A value of 1 means taking the most probable tokens (the top P percentage of token probability mass). (Default: 1)
  • assistant_id: Optional identifier for the assistant. (Default: ”)
  • model: Specifies the AI model to be used for generating the article. (Default: ‘gpt-3.5-turbo-instruct’)
  • presence_penalty: Adjusts the likelihood of the AI to talk about new topics. (Default: 0)
  • frequency_penalty: Penalizes the model for repeating lines. (Default: 0)
  • min_char: The minimum number of characters for the generated article. (Default: ”)
  • max_tokens: The maximum number of tokens for the generated article. (Default: 2048)
  • max_seed_tokens: The maximum number of tokens for the seed expression. (Default: 500)
  • max_continue_tokens: The maximum number of tokens for continued generations. (Default: 500)
  • images: Number of images to include in the article. (Default: ”)
  • headings: Number of headings to include in the article. (Default: ”)
  • videos: Specifies whether to include videos. Options are ‘on’ or ‘off’. (Default: ‘off’)
  • static_content: Determines if the content should be static (automatically updated in the content where the shortcode is added). Options are ‘on’ or ‘off’. (Default: ‘off’)
  • cache_seconds: The duration for which the generated content should be cached (in seconds). (Default: 2592000)
  • headings_model: Specifies the AI model to be used for generating headings. (Default: ‘gpt-3.5-turbo-instruct’)
  • headings_seed_expre: Seed expression for generating headings. (Default: ‘Write %%needed_heading_count%% PAA related questions, each on a new line, for the title: %%post_title%%’)
  • no_internet: If set to ‘1’, ‘on’, or ‘yes’, the AI will generate content without internet access. (Default: ‘0’)

Example Usage

Here is an example usage of the [aiomatic-article] shortcode with various parameters set:

[aiomatic-article seed_expre="Write an informal article about Climate Change" temperature="1" top_p="1" assistant_id="" model="gpt-3.5-turbo-instruct" presence_penalty="0" frequency_penalty="0" min_char="500" max_tokens="2048" max_seed_tokens="500" max_continue_tokens="500" images="2" headings="3" videos="on" static_content="off" cache_seconds="2592000" headings_model="gpt-3.5-turbo-instruct" headings_seed_expre="Write %%needed_heading_count%% PAA related questions, each on a new line, for the title: %%post_title%%" no_internet="0"]

In this example, the shortcode will generate an informal article about climate change with the following properties:

  • Uses the ‘gpt-3.5-turbo-instruct’ model.
  • Generates a minimum of 500 characters and a maximum of 2048 tokens.
  • Includes 2 images and 3 headings in the article.
  • Videos are turned on.
  • The content is not static and will be cached for 30 days.
  • Headings will be generated using the provided headings seed expression.
  • The article will be generated with internet access enabled.

How to Use

  1. Insert the Shortcode: Place the shortcode [aiomatic-article] in the content area of your post or page.
  2. Customize Parameters: Adjust the parameters to fit the specific needs of your content generation.
  3. Publish: Publish your post or page. The shortcode will dynamically generate the content based on the parameters specified.

This documentation should help you effectively use the [aiomatic-article] shortcode to generate AI-powered content on your WordPress site.

How to load jQuery from Google CDN – CodeRevolution

By default, WordPress load its own copy of jQuery in your theme. But what about loading the library from Google CDN? Here’s an easy way to do it.

Paste the code below into your functions.php file:

 function jquery_cdn() {    if (!is_admin()) {       wp_deregister_script('jquery');       wp_register_script('jquery', 'http://ajax.googleapis.com/ajax/libs/jquery/1.8.3/jquery.min.js', false, '1.8.3');       wp_enqueue_script('jquery');    } } add_action('init', 'jquery_cdn'); 

Once you saved the file, WordPress will load jQuery from Google CDN.

Thanks to WP Tips.ru for the recipe!

How to prevent WordPress from asking FTP credentials – CodeRevolution

If you often install, delete or upgrade plugins or themes, you might be annoyed that WordPress asks for your FTP credentials every time. Here is a simple code snippet to change the filesystem method and make sure WordPress won’t ask for your FTP login and password again.

Paste the following line in your wp-config.php file. This file is located in the root of your WordPress install.

define('FS_METHOD', 'direct');

Please note that the code snippet provided above might not work on all hosting providers, and might even cause security issues if your host is badly configured, so avoid using it if you’re not sure about your hosting.

I use VidaHost on CodeRevolution and my other blogs. WP Web Host is also good for smaller websites.

Thanks to WP Tuts+ for the cool tip!

How to redirect users to a random post – CodeRevolution

What about giving a new life to your old posts by creating a page template that will redirect readers to a random post? Today, I’m going to show you how to easily create this kind of page.

Create a new file and name it page-random.php. Paste the code below in it:

 // set arguments for get_posts() $args = array(     'numberposts' => 1,     'orderby' => 'rand' );  // get a random post from the database $my_random_post = get_posts ( $args );  // process the database request through a foreach loop foreach ( $my_random_post as $post ) {   // redirect the user to the random post   wp_redirect ( get_permalink ( $post->ID ) );   exit; }

Once done, upload the page-random.php file to your theme directory. Then, login to your WordPress dashboard and create a new page, called “random” (You have to call it random, otherwise, the standard page layout will apply, see WP Codex for more details about page hierarchy).

After you published the random page, any user who’ll visit the http://www.yourwebsite.com/random page will be automatically redirected to a random post.

By the way, I just created a Facebook page for my websites (This include CodeRevolution as well as CatsWhoCode) so don’t hesitate to “like” it!

Thanks to Smashing Magazine for the cool tip!

How to: Redirect users to a specific url using a 301 redirection – CodeRevolution

Do you know that WordPress have a built-in function to redirect users to a specific url? It is called wp_redirect(). Many users don’t know it, but you can also create 301 redirections with that useful function.

To create a 301 redirection within WordPress, you just have to add the 301 argument to the function:

<?php wp_redirect('http://www.CodeRevolution.com', 301); ?>

The above code will redirect anyone on my blog. Don’t hesitate to use it 😀

How to: List future posts – CodeRevolution

Do you ever wished to be able to use WordPress to list future events? This can be very useful for exemple if you’re using WordPress for a band website and like to list your future shows.

To achieve this recipe, simply paste this code where you’d like you future posts to be displayed:

 <div id="zukunft"> 	<div id="zukunft_header"><p>Future events</p></div> 	<?php query_posts('showposts=10&post_status=future'); ?> 	<?php if ( have_posts() ) : while ( have_posts() ) : the_post(); ?> 		<div > 			<p class><b><?php the_title(); ?></b><?php edit_post_link('e',' (',')'); ?><br /> 			<span class="datetime"><?php the_time('j. F Y'); ?></span></p> 		</div> 	<?php endwhile; else: ?><p>No future events scheduled.</p><?php endif; ?> </div> 

How to rearrange WordPress categories order – CodeRevolution

A very common problem with WordPress sites is that you can’t easily reaarange category order. Sure, you can use a custom menu, but for some sites you have to reaarrange the order of your categories. This snippet will show you how to do it easily.

The code above will look for a specific category (Don’t forget to update line 5) and will replace it on top of all other categories. The code has to be pasted in your functions.php file.

 <?php $categories = get_terms('books_category');  for( $i=0; $i<sizeof($categories); $i++ ){   if ( $categories[$i]->name == 'New Publications' ) :     $latest = array($categories[$i]);     unset($categories[$i]);   endif; }  if( isset($latest) )   array_splice( $categories, 0, 0, $latest ); ?> 

Thanks to Sebastian for the great hack!

How to order posts by two meta values – CodeRevolution

By default, WordPress allows you to sort results of a query by one meta value, but what if you need to sort results by two meta values (For example date and time)? Here ‘s a working example.

Paste the code below in your template file where you need to sort the results of the query.

 <?php   $query = "SELECT wposts.*, wpostmeta1.*, wpostmeta2.*  FROM $wpdb->posts wposts, $wpdb->postmeta wpostmeta1, $wpdb->postmeta wpostmeta2 WHERE wposts.ID = wpostmeta1.post_id AND wposts.ID = wpostmeta2.post_id AND wpostmeta1.meta_key = 'date' AND wpostmeta2.meta_key = 'time' ORDER BY wpostmeta1.meta_value ASC,          wpostmeta2.meta_value ASC";  $results = $wpdb->get_results($query);  foreach ( $results as $result ) {          //output results as desired } ?> 

Please note that this query is given as an example and might need to be adapted to fit your specific needs. If you need help at a cheap rate, contact WPCAT.

How to: limit search to specific categories – CodeRevolution

If for some reason, you’d like to exclude some categories from searches, you have to tweak WordPress a bit because there’s no built-in solution to this problem. Happilly, here’s a code to do that job!

To achieve this recipe, replace the categories IDs on line 3 and paste the following code on your search.php template:

 <?php if( is_search() )  : $paged = (get_query_var('paged')) ? get_query_var('paged') : 1; query_posts("s=$s&paged;=$paged&cat;=1,2,3"); endif; ?> 

You’re done! See you tomorrow 😉

How to: Number your comments – CodeRevolution

Do your blog posts receive lots of comments? If yes, it can be really useful for both you and your readers to number it. Here’s how to do it easily and efficiently.

Open comments.php and find the following line:

<?php foreach ($comments as $comment) : ?>

Just above this line, initialize a counter variable:

<?php $i = 0; ?>

Just after this line, increment the counter:

<?php $i++; ?>

Now, you just have to echo the $i variable to get the number of the current comment. Paste this code anywhere on your comments loop:

<?php echo $i; ?>

Your comments are now numbered!

How to: Insert Adsense after the first post – CodeRevolution

Many bloggers likes to add an Adsense advertisment on their homepage, after the first post. Here’s a very easy way to do it by using a simple php variable as a counter.

This seems to be a common WordPress question, but implementing it on your theme isn’t hard at all. The only thing we need is a simple php variable (here named $count) which will count how many posts are listed. If we just listed the first post, we’ll display the Adsense code.

Here’s the code. Paste it on your index.php file, instead of your current WP loop.

<?php if (have_posts()) : ?> <?php $count = 0; ?> <?php while (have_posts()) : the_post(); ?> <?php $count++; ?>   <?php if ($count < 3) : ?>           //Paste your Adsense code here           <?php the_excerpt(); ?>    <?php else : ?>           <?php the_excerpt(); ?>   <?php endif; ?> <?php endwhile; ?> <?php endif; ?>

How to make translatable JavaScript strings on your WordPress theme – CodeRevolution

Do you know that WordPress have a function called wp_localize_script(), which allow you to localize JavaScript strings? Here’s a practical example on how to use this little known but very useful function.

Simply paste the following code into your function.php file, where you generally enqueue scripts and styles. Line 4 shows how to use the wp_localize_script() function.

 function prefix_enqueue_custom_script(){ 	wp_register_script( 'prefix_custom_script', plugin_dir_url( __FILE__ ) .'js/custom-script.js', array( 'jquery' ) );         wp_enqueue_script( 'prefix_custom_script' );         wp_localize_script( 'prefix_custom_script', 'prefix_object_name', array( 		'upload' => __( 'upload', 'textdomain' ), 		'remove' => __( 'remove', 'textdomain' ) 	) ); } 

Thanks to Devin for this code!

How to: Insert ads on your RSS feed – CodeRevolution

Did you ever wonder how some people are able to display ads on their rss feed? Sure, you can modify core files to do it, but that’s not a good idea at all. Here’s a clean way to insert ads (or anything) on your rss feed, without having to hack any core file.

In order to achieve this recipe, paste the code below to the functions.php file from your theme. If your theme doesn’t have a functions.php file, create it.

 <?php function insertAds($content) {     $content = $content.'<hr /><a href="http://www.CodeRevolution.com">Have you visited CodeRevolution today?</a><hr />';     return $content; } add_filter('the_excerpt_rss', 'insertAds'); add_filter('the_content_rss', 'insertAds'); ?> 

Here, we first create a function called insertAds(), which concatenate a code containing our advertisment to the $content variable, which contains the content of the post.
Then, we use the add_filter() function to overwrite the the_content_rss() function with our insertAds() function. We use another filter to overwrite the_excerpt_rss() function as well.
That’s all, your rss feeds now displays your ads!

Credits goes to k-ny for this awesome recipe!

How to display your latest tweets on your WordPress blog without any plugin – CodeRevolution

If you’re using Twitter, you maybe want to display your latest tweets on your blog. You can use a plugin for that, or you can use this code to display your tweets without using any plugin.

Simply paste the following code anywhere in your theme files, where you want the tweets to be displayed.
Don’t forget to update the code with your username on line 3. Max items to display can be defined on line 4.

 <?php include_once(ABSPATH . WPINC . '/feed.php'); $rss = fetch_feed('https://api.twitter.com/1/statuses/user_timeline.rss?screen_name=catswhocode'); $maxitems = $rss->get_item_quantity(3); $rss_items = $rss->get_items(0, $maxitems); ?>  <ul> <?php if ($maxitems == 0) echo '<li>No items.</li>'; else // Loop through each feed item and display each item as a hyperlink. foreach ( $rss_items as $item ) : ?> <li> <a href='<?php echo $item->get_permalink(); ?>'> <?php echo $item->get_title(); ?> </a> </li> <?php endforeach; ?> </ul> 

Thanks to Smashing Magazine for this great code!

How to modify size of embedded videos – CodeRevolution

In WordPress, it is easy to embed videos on your blog. But sometimes, dealing with video sizes is a bit painful. Today, let’s have a look at how you can adjust the size of any embedded video using a filter.

Simply paste the following code on your functions.php file. Don’t forget to adjust size on line 2 and 3.

 function mycustom_embed_defaults($embed_size){     $embed_size['width'] = 586; // Adjust values to your needs     $embed_size['height'] = 500;       return $embed_size;  }   add_filter('embed_defaults', 'mycustom_embed_defaults'); 

Credits goes to Shailan. Thanks for the cool tip!

How to: Get the first image from the post and display it – CodeRevolution

Most WordPress users are using custom fields to display thumbs on their blog homepage. It is a good idea, but do you know that with a simple php function, you can grab the first image from the post, and display it. Just read on.

First, paste this function on your functions.php file.

 function catch_that_image() {   global $post, $posts;   $first_img = '';   ob_start();   ob_end_clean();   $output = preg_match_all('/<img.+src=['"]([^'"]+)['"].*>/i', $post->post_content, $matches);   $first_img = $matches [1] [0];    if(empty($first_img)){ //Defines a default image     $first_img = "/images/default.jpg";   }   return $first_img; } 

Once done, you can simply call the function within the loop to display the first image from the post:

 <?php echo catch_that_image() ?> 

How to pre-populate WordPress editor with default content – CodeRevolution

If you’re often writing the same kind of post (articles, lists, code snippets, etc) you may find very useful to pre-populate the WordPress editor with some custom content. Here’s a super easy code snippet to do it.

This code has to be pasted into your theme’s functions.php file. It can be customized to deal with custom post types, as shown on line 16 and after.

 add_filter( 'default_content', 'pu_default_editor_content' );  function pu_default_editor_content( $content ) {     global $post_type;      switch( $post_type )      {         case 'post':             $content = 'Default content for blog posts.';         break;          case 'page':             $content = 'Default content for pages.';         break;          case 'portfolio':             $content = 'Default content for your portfolio pages.';         break;          case 'products':             $content = 'Default content for blog posts.';         break;     }      return $content; } 

Credit: Paulund

How to: Highlight the current category – CodeRevolution

Most readers like to know where they are on a website. To help them knowing what they’re exactly browsing right now, you should definitely highlight the current category. It is very easy to do, just read on.

When you’re browsing a category, WordPress automatically add a current-cat css class to the <li> element.

So the only thing you have to do is to edit your style.css file and add a style for the current-cat class:

 #nav .current-cat{     background:#999;     color:#222;     text-decoration:underline; } 

That’s all! Now your readers will know exactly what they’re browsing right now.

How to display your latest Google+ update on your WordPress blog – CodeRevolution

Google+ is the newest project from Google. If you’re using it, you may want to know how you can easily display your latest Google+ update on your WordPress blog. This is what you’re going to learn with today’s recipe.

Simply paste the following code where you want to display your latest Google+ update. Don’t forget to put your Google+ ID on line 3.

 <?php 	include_once(ABSPATH.WPINC.'/rss.php'); 	$googleplus = fetch_feed("http://plusfeed.appspot.com/103329092193061943712"); // Replace 103329092193061943712 by your own ID 	echo '<a href="'; 	echo $googleplus->items[0]['link']; echo '">'; 	echo $googleplus->items[0]['summary']; 	echo ''; ?> 

Thanks to Valentin Brandt for the cool tip!

How to: Get rid of the comment section on your WordPress blog – CodeRevolution

Altought it can be weird in some points because comments are an important part of a blog, I have read many user asking how they can get rid of the “comments” section on their WordPress theme. That’s very easy to do. Just read on.

Removing the comments section on a blog can sound weird at first, but sometimes you just want to spread some news without getting any feedback.
In case you don’t want any post to be commented, just edit your single.php file from your theme.

Find the following line:

<?php comments_template(); ?>

and delete it. THat’s simple at that!

How to: Highlight the current category – CodeRevolution

Most readers like to know where they are on a website. To help them knowing what they’re exactly browsing right now, you should definitely highlight the current category. It is very easy to do, just read on.

When you’re browsing a category, WordPress automatically add a current-cat css class to the <li> element.

So the only thing you have to do is to edit your style.css file and add a style for the current-cat class:

 #nav .current-cat{     background:#999;     color:#222;     text-decoration:underline; } 

That’s all! Now your readers will know exactly what they’re browsing right now.

How to: Hide the sidebar on your blog homepage – CodeRevolution

The sidebar is a very important element of your blog, but sometimes, you just don’t want it to be displayed on your homepage. If you’d like to know how to do, just read this recipe.

To hide your sidebar on your blog homepage, edit the index.php file from your theme and look the the following:

<?php get_sidebar(); ?>

Replace it by the code above:

 <?php if (!is_front_page()) {      get_sidebar(); } ?> 

That’s all. Your sidebar will now be displayed on all pages, exept your blog homepage.

How to: Get parent page/post title – CodeRevolution

If you use pages and subpages or posts and parent posts on your WordPress blog, it should be a good idea to display parent page/post title while on a child page. Here’s a code to do that job easily.

To achieve this recipe, simply edit your page.php file and paste the following code where you’d like your parent page title to be displayed:

 <?php $parent_title = get_the_title($post->post_parent); echo $parent_title; ?> 

That’s all. Also, this code should be some inspiration for creating breadcrumbs. See you tomorrow!

How to: Get latest sticky posts – CodeRevolution

Introduced in WordPress 2.7, stciky posts are an awesome new functionality, but sadly, retrieving and sorting them isn’t easy as you can expect. In this recipe, you’ll learn how to easily retrieve sticky posts.

To achieve this recipe, place the following code just before the loop:

 <?php 	$sticky = get_option('sticky_posts'); 	rsort( $sticky ); 	$sticky = array_slice( $sticky, 0, 5);         query_posts( array( 'post__in' => $sticky, 'caller_get_posts' => 1 ) ); ?> 

This code will retrieve the 5 most recent sticky posts. To change the number of retrieved posts, just change the 5 by the desired value on line 4.

Credits goes to Justin Tadlock for this awesome recipe!

How to: Get permalink outside of the loop – CodeRevolution

Some days ago, rebellion, one of CodeRevolution readers, asked me how to access post data outside of the WordPress loop. I have provided a solution to him, however it wasn’t possible to get a permalink outside of the loop. Here’s how to do it easily.

To get a permalink outside of the loop, you have to use the get_permalink() function. That function takes a single argument, which is the ID of the post you’d like to get the permalink:

<a href="<?php echo get_permalink(10); ?>" >Read the article</a>

You can also use this function with the $post global variable:

<a href="<?php echo get_permalink($post->ID); ?>" >Read the article</a>

Thanks to Julien Chauvin for the tip!

How to easily make WordPress images responsive – CodeRevolution

Responsive images can be big on wide screens and automatically adapt to smaller screens such as iPad. Making your images responsive is not difficult to do: Here is a simple recipe to achieve it on your blog.

The first thing to do is to create the shortcode. To do so, open your functions.php file and paste the following code in it:

 function responsive_images($atts, $content = null) {      return '<div class="image-resized">' . $content .'</div>'; }   add_shortcode('responsive', 'responsive_images'); 

Once done, open your style.css file and add those CSS rules:

 @media only screen and (max-width:767px) {     .image-resized img {         width:100%;         height:auto;     } } 

You can now use the [responsive] shortcode to insert responsive images in your blog:

 [responsive]<img src="https://web.archive.org/web/20180630/CodeRevolution.com/image_url" alt="alt" title="title" />[/responsive] 

Thanks to Rockable Themes for the tip!

How to: Get posts published exactly one year ago – CodeRevolution

Here’s a nice idea to give a second life to your old posts: This code display automatically the posts you published exactly one year ago.

To achieve this recipe, simply paste the following code where you want posts published exactly one year ago to appear.

 <?php $current_day = date('j'); $last_year = date(‘Y’)-1; query_posts('day='.$current_day.'&year;='.$last_year); if (have_posts()):     while (have_posts()) : the_post();         the_title();        the_excerpt();     endwhile; endif; ?> 

How to: find WordPress category ID – CodeRevolution

Some themes requires that you fill a form field with a category ID. It may be easy to find a category ID if you’re an advanced WordPres user, but what about beginners? Here’s a very simple manner to find any category ID.

Once you’re logged in your WordPress dashboard, go to Manage and then in Categories.
Simply put your mouse cursor on the “edit” link related to the category you want to know the ID and look on your browser’s status bar: As you can see on the screenshot below, 1 is the id of the category.

How to force your WordPress blog to break out of frames – CodeRevolution

Lots of scrapers are framing, defaming, and/or stealing your precious content. Here is a super useful snippet to force your blog to break out of frames so your pages will be served only from the original domain, not some Google adsense site created by a random scraper.

Nothing complicated, just paste the code below into your functions.php file, save it, and you’re done.

 // Break Out of Frames for WordPress function break_out_of_frames() { 	if (!is_preview()) { 		echo "n<script type="text/javascript">"; 		echo "n<!--"; 		echo "nif (parent.frames.length > 0) { parent.location.href = location.href; }"; 		echo "n-->"; 		echo "n</script>nn"; 	} } add_action('wp_head', 'break_out_of_frames'); 

Thanks to WP Mix for this very handy tip!

How to get rid of curly quotes in your WordPress blog – CodeRevolution

Ah, curly quotes. They look nice, but they’re also such a pain if you display code on your blog, or copy/paste it from another blog. Here’s a very simple recipe that I urge you to use if you display code on your blog. Your readers will say thanks you!

This very useful hack is also very simple to implement: Open the functions.php file from your theme (if your theme don’t have a functions.php file, create one) and paste the following code:

<?php remove_filter('the_content', 'wptexturize'); ?>

As you can see, we used the remove_filter() function, which allow us to remove a function attached to a particular filter hook.

Filters function are very powerful because they allow you to override some WordPress features without modifying WP core.

How to: find WordPress category ID – CodeRevolution

Some themes requires that you fill a form field with a category ID. It may be easy to find a category ID if you’re an advanced WordPres user, but what about beginners? Here’s a very simple manner to find any category ID.

Once you’re logged in your WordPress dashboard, go to Manage and then in Categories.
Simply put your mouse cursor on the “edit” link related to the category you want to know the ID and look on your browser’s status bar: As you can see on the screenshot below, 1 is the id of the category.

How to force the RSS Widget to refresh more often – CodeRevolution

WordPress have a built-in widget that allows you to display any RSS feed on your blog. Although this widget is great, sometimes you may wish it refresh more often. Here is a simple solution to modify the widget refresh rate.

To apply this trick, simply put the following code into your functions.php file:

 add_filter( 'wp_feed_cache_transient_lifetime', create_function('$a', 'return 600;') ); 

Thanks to Smashing Magazine for the code!

How to: Display today’s posts – CodeRevolution

If for some reason, you want to display only today’s posts on your blog homepage – or any other page – here’s a simple way to get theses posts and display it on your WordPress blog.

If you provide a lot of posts per days, it can be nice to display only today’s posts on a separate page. To achieve this, we’ll use the php date() function, and the WordPress query_posts() function.

Paste the following code where you want today’s posts to be displayed:

 $current_day = date('j'); query_posts('day='.$current_day); if (have_posts()) :      while (have_posts()) : the_post(); ?>          // WordPress loop      endwhile; endif; ?> 

How to easily wish a merry Christmas to your blog readers – CodeRevolution

It’s Christmas today! So what about wishing merry Christmas to your readers? In this simple recipe, we’ll see how easy it is to implement a “Merry Christmas” message in your WordPress blog.

To achieve this very simple recipe, simply paste the following code anywhere on your theme. The “Merry Christmas” message will be displayed only on Christmas day.

 <?php  if ((date('m') == 12) && (date('d') == 25)) { ?>     <h2>Merry Christmas from CodeRevolution!</h2>   <?php } ?> 

By the way, merry Christmas to all of you! Have a great time with the family.

How to: Embed Adsense anywhere on your posts – CodeRevolution

Do you ever wanted to get a total control over the way your adsenses ads are displayed? In the following recipe, I’m going to teach you how to be able to use adsense only in the post you want and display the ads where you want.

First, you have to add the following code to your function.php file. Don’t forget to change the adsense code, unless you’d like to display my ads on your own site 😉

 function showads() {     return '<script type="text/javascript"><!-- google_ad_client = "pub-3637220125174754"; google_ad_slot = "4668915978"; google_ad_width = 468; google_ad_height = 60; //--> </script> <script type="text/javascript" src="https://pagead2.googlesyndication.com/pagead/show_ads.js"> </script> '; }  add_shortcode('adsense', 'showads'); 

Once you saved the functions.php file, you’re now able to embed your adsense code on your posts and display it exactly where you want. To do so, simply paste the following code on the editor, in html mode:

[adsense]

How to execute shortcodes inside custom fields – CodeRevolution

By default, WordPress do not allows shortcodes to be executed inside custom fields. If for some reason you need to be able to execute a shortcode inside a specific custom field, here is an easy way to do it.

Just put this code into whatever page you are displaying the results of the shortcode, and change the your_custom_field_here to the name of your custom field.

 <?php echo apply_filters('the_content', get_post_meta($post->ID, 'your_custom_field_here', true)); ?> 

Credit: Snipplr.

How to easily enable/disable debug mode in WordPress – CodeRevolution

WordPress have a debug mode which allow you to easily get information when something goes wrong. To enable the debug mode, you have to add a constant to the wp-config.php file. But what about an easy way to switch on the debug mode, even without accessing wp-config.php?

The first thing to do is to add the following code to your wp-config.php file. This file is located at the root of your WordPress install.

 if ( isset($_GET['debug']) && $_GET['debug'] == 'debug')   define('WP_DEBUG', true); 

Once done, simply add a GET parameter to the url of the page you’d like to debug, as shown below:

http://www.CodeRevolution.com/contact?debug=debug

Thanks to Joost de Valk for this great tip!

How to easily get post ancestors – CodeRevolution

When using WordPress as a CMS or building a breadcrumb, you often need to get the post ancestors. Today let’s have a look at how you can easily get post ancestors of a specific post.

In order to get the post ancestors (also called parents) simply use the get_post_ancestors() function. This function takes a single argument which can be either the post ID or post object, and return the ancestors IDs as an array.

 $ancestors = get_post_ancestors($post); 

Thanks to Coen Jacobs for this great piece of code!

How to: Display your feedburner count in full text – CodeRevolution

Are you using feedburner? Probably yes, just as a lot of bloggers do. If you don’t like the chicklet dedicated to display your feedburner count, just read this recipe which is a new method to get your feedburner count in text mode.

To display your feedburner count in full text on your WordPress blog, simply paste the following on any of your theme file, for exemple sidebar.php:

<?php $fburl=”https://feedburner.google.com/api/awareness/1.0/GetFeedData?uri=YourURL“; $ch = curl_init(); curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1); curl_setopt($ch, CURLOPT_URL, $fburl); $stored = curl_exec($ch); curl_close($ch); $grid = new SimpleXMLElement($stored); $rsscount = $grid->feed->entry['circulation']; echo $rsscount; ?>

How to easily replace words in your posts – CodeRevolution

Imagine your blog was named “myblog” and you renamed it “mysuperblog”. Don’t edit your XXX posts to replace every single occurence! This extremely useful tip will do it for you, in just a minute!

Simply put words to replace in the array on line 4. Once done, paste the code into your function.php file, save the file, and you’re done!

 function replace_text_wps($text){     $replace = array(         // 'WORD TO REPLACE' => 'REPLACE WORD WITH THIS'         'wordpress' => '<a href="#">wordpress</a>',         'excerpt' => '<a href="#">excerpt</a>',         'function' => '<a href="#">function</a>'     );     $text = str_replace(array_keys($replace), $replace, $text);     return $text; }  add_filter('the_content', 'replace_text_wps'); add_filter('the_excerpt', 'replace_text_wps'); 

Thanks to Kevin Chard for the cool tip!

How to: Display the total number of comments on your WordPress blog – CodeRevolution

Some days ago, I shown you a great hack about getting the total number of posts published on your WordPress blog. Today, let’s do the same with comments.

This simple hack works exactly as the “get total number of posts” hack works: We’re using the $wpdb object and make a custom query to MySQL:

 <?php $numcomms = $wpdb->get_var("SELECT COUNT(*) FROM $wpdb->comments WHERE comment_approved = '1'"); if (0 < $numcomms) $numcomms = number_format($numcomms); ?>

Right now, the $numcomms variable contains the total number of comments posted on your WordPress blog. To display this number, simply do something like:

 <?php echo "There's ".$numcomms." comments on this blog"; 

How to: Get a particular header, footer, or sidebar – CodeRevolution

Since WordPress 2.7, it is easier to choose which header, footer or sidebar file you want to include on your theme. In this recipe, I’ll show you how to do.

The following code will check if the reader is on the “WordPress” category. If yes, header-wordpress.php will be inclued, otherwise the default header will be used:

<?php if is_category('WordPress') {      get_header('wordpress'); } else {      get_header(); } ?>

You can also use that new functionality with footers and sidebars:

<?php get_footer('myfooter'); ?>

will include footer-myfooter.php

<?php get_sidebar('mysidebar'); ?>

will include sidebar-mysidebar.php

How to easily add shortcuts to WordPress toolbar – CodeRevolution

As with many things, WordPress makes it easy to customize the Toolbar, using the add_node() functions. In this recipe, I’m going to show you how to add a shortcut to WordPress toolbar.

Paste the code below into your functions.php file.

 // add a link to the WP Toolbar function custom_toolbar_link($wp_admin_bar) { 	$args = array( 		'id' => 'gmail', 		'title' => 'Gmail',  		'href' => 'https://mail.google.com/mail/#inbox',  		'meta' => array( 			'class' => 'gmail',  			'title' => 'sales@digwp.com' 			) 	); 	$wp_admin_bar->add_node($args); } add_action('admin_bar_menu', 'custom_toolbar_link', 999); 

Once done, edit the following, then save the file. You’re done!
‘id’ => ‘gmail’ — the ID of the

  • element containing the custom link
    ‘title’ => ‘Gmail’ — the anchor-text for the custom link
    ‘href’ => ‘https://mail.google.com/mail/#inbox’ — the URL for the custom link
    ‘class’ => ‘gmail’ — the class attribute for the custom link
    ‘title’ => ‘sales@test.com’ — the title attribute for the custom link

    Thanks to Jeff Starr for the cool tip!

  • How to: Exclude posts or pages from search results – CodeRevolution

    Would you like to be able to control which post or pages must be exclued from searches on your WordPress blog? If yes, this recipe will probably help you a lot. Just read on.

    To achieve this recipe, simply paste the following code on the functions.php file from your theme. In this example, posts with IDs 8 and 15 will be excluded from your blog’s search results:

     function SearchFilter($query) {     if ($query->is_search) {         $query->set('cat','8,15');     }     return $query; }  add_filter('pre_get_posts','SearchFilter'); 

    Credits goes to Kyle Eslick for this awesome hack!

    How to: Embed CSS in your posts with a custom field – CodeRevolution

    Sometimes, a specific post needs to be styled with some custom css styles. Sure, you can directly embed CSS in your post, but that not very clean. In this recipe, I’m going to show you how to embed css in a clean way, by using a custom field.

    First, open your header.php file and insert the following code between the <head> and </head> html tags:

     <?php if (is_single()) {     $css = get_post_meta($post->ID, 'css', true);     if (!empty($css)) { ?>         <style type="text/css">         <?php echo $css; ?>            </style>     <?php }  } ?> 

    Once done, when you’re writing a post or page which require some custom css styling, you’ll just have to create a custom field named css and paste your custom css styles as a value. That’s simple as that!

    How to: Display the number of results in WordPress search – CodeRevolution

    WordPress users know it: Search is definitely one of WordPress weak point. Today, let’s see how to get the number of results the search returned, and display it (proudly!) on our blog.

    Open your search template file, search.php. In it, search for the following:

     <h2 class="pagetitle">Search Results</h2> 

    Now replace this with:

    <h2 class="pagetitle">Search Results for <?php /* Search Count */ $allsearch = &new; WP_Query("s=$s&showposts;=-1"); $key = wp_specialchars($s, 1); $count = $allsearch->post_count; _e(''); _e('<span class="search-terms">'); echo $key; _e('</span>'); _e(' — '); echo $count . ' '; _e('articles'); wp_reset_query(); ?></h2> 

    That’s all, you’re done!

    Credits goes to ProBlogDesign for this awesome WordPress recipe!

    By the way, I’m going to publish a big article of 10 awesome WordPress hacks on my other blog Cats Who Code tomorrow. Be sure to suscribe to our RSS feed so you’re gonna miss it!

    How to display RSS feeds on your WordPress blog – CodeRevolution

    Do you ever wanted to be able to display any rss feed on your WordPress blog? If yes, here’s a simple code that will do the job without using the deprecated wp_rss() function.

    The following code have to be pasted wherever you want to display the feed.
    Don’t forget to update the feed url on line 3. Number of items to be displayed can be defined on line 6.

     <?php include_once(ABSPATH . WPINC . '/rss.php'); $feed = 'http://example.com/feed/'; $rss = fetch_feed($feed); if (!is_wp_error( $rss ) ) :     $maxitems = $rss->get_item_quantity(3);     $rss_items = $rss->get_items(0, $maxitems);     if ($rss_items):         echo "<ul>n";         foreach ( $rss_items as $item ) :              echo '<li>';             echo '<a href="' . $item->get_permalink() . '">' . $item->get_title() . "</a>n";             echo '<p>' . $item->get_description() . "</li>n";         endforeach;         echo "</ul>n";     endif; endif; ?> 

    Thanks to Dan Gayle for the hack!

    How to: Display the most commented posts of 2008 – CodeRevolution

    Happy new year! To get started with this new year, what about displaying a list of the 10 most commented posts of 2008 to your readers? That’s obviously a great way to give a second life to your old posts.

    To display a list of your 10 most commented posts from 2008, simply paste the following code on your blog sidebar, or anywhere on your theme:

     <h2>Most commented posts from 2008</h2> <ul> <?php $result = $wpdb->get_results("SELECT comment_count,ID,post_title, post_date FROM $wpdb->posts WHERE post_date BETWEEN '2008-01-01' AND '2008-12-31' ORDER BY comment_count DESC LIMIT 0 , 10");  foreach ($result as $topten) {     $postid = $topten->ID;     $title = $topten->post_title;     $commentcount = $topten->comment_count;     if ($commentcount != 0) {     ?>          <li><a href="<?php echo get_permalink($postid); ?>"><?php echo $title ?></a></li>     <?php } } ?> </ul> 

    That’s all! Hope you (and your readers!) like it 🙂
    Best wishes to all of you and your families for 2009, have a happy and sucessfull year!

    How to display pingbacks/trackbacks count within admin post columns – CodeRevolution

    By default, the post list in your WordPress dashboard, displays the comment count, but no trackback & pingback count. Here is a cool hack to add pingbacks/trackbacks count as well.

    Simply paste the code below in your functions.php file. Once saved, your pingback/trackback count is displayed within admin post columns.

     function commentCount($type = 'comments'){ 	if($type == 'trackbacks'): 		$typeSql = 'comment_type = "trackback"'; 		$oneText = 'One :trackback'; 		$moreText = '% :trackbacks'; 		$noneText = 'No :trackbacks'; 	elseif($type == 'pingbacks'): 		$typeSql = 'comment_type = "pingback"'; 		$oneText = 'One :pingback'; 		$moreText = '% :pingbacks'; 		$noneText = 'No :pingbacks'; 	endif; 	global $wpdb;     $result = $wpdb->get_var('         SELECT             COUNT(comment_ID)         FROM             '.$wpdb->comments.'         WHERE             '.$typeSql.' AND             comment_approved="1" AND             comment_post_ID= '.get_the_ID()     ); 	if($result == 0): 		echo str_replace('%', $result, $noneText); 	elseif($result == 1): 		echo str_replace('%', $result, $oneText); 	elseif($result > 1): 		echo str_replace('%', $result, $moreText); 	endif; } add_filter('manage_posts_columns', 'posts_columns_counts', 1); add_action('manage_posts_custom_column', 'posts_custom_columns_counts', 1, 2); function posts_columns_counts($defaults){     $defaults['wps_post_counts'] = __('Counts');     return $defaults; } function posts_custom_columns_counts($column_name, $id){ 	if($column_name === 'wps_post_counts'){ 		commentCount('trackbacks'); echo "<br />"; 		commentCount('pingbacks');           } } 

    Thanks to InstantShift for this great piece of code!

    How to: Display page loading time + number of queries – CodeRevolution

    Do you ever asked yourself how long it took for your page to load, or how many sql queries were executed? If yes, here is a simple code to insert on your template.

    Nothing hard here. Simply paste the following code on your footer.php file:

    <?php echo get_num_queries(); ?> queries in <?php timer_stop(1); ?>  seconds.

    The get_num_queries() function returns the number of executed query during your page loading.

    Credits goes to WordPress Tuto for this awesome recipe!

    How to display custom post types on your WordPress blog homepage – CodeRevolution

    WordPress 3.0 will allow you to create custom post types, so what about being able to list those custom types on your blog homepage? This very useful piece of code will show you how you can do it.

    The following code have to be pasted in your functions.php file. Once the file will be saved, it will work.
    As you can see in the code, the post, page, album, movie, quote, and attachment types will be displayed. Modify that line to fit your own needs.

     add_filter( 'pre_get_posts', 'my_get_posts' );  function my_get_posts( $query ) { 	if ( is_home() ) 		$query->set( 'post_type', array( 'post', 'page', 'album', 'movie', 'quote', 'attachment' ) );  	return $query; } 

    Please note that custom post types are not available by default on WordPress 2.9. You could have a look there if you’re looking to implement that functionnality right now.

    Credits goes to Justin Tadlock for this handy recipe!

    By the way, if you’re looking to advertise on CodeRevolution, I got a free spot so be quick! Click here to buy.

    How to disable automatic updates in WordPress 3.7 – CodeRevolution

    In WordPress 3.7, there’s a new and interesting feature which allow your blog to automatically upgrade when a new version is available. I think it’s really cool, but if you don’t like it for some reason, here’s a quick recipe to turn it off.

    To disable automatic updates, open your wp-config.php file and paste the following line in it:

    define( 'AUTOMATIC_UPDATER_DISABLED', true );

    Once you saved the file, automatic updates will be turned off and you’ll have to manually upgrade your blog again.

    How to create custom dashboard help messages – CodeRevolution

    If you’re building a site for a client and they have some problems with some parts of the dashboard, a good idea is to provide contextual help to the client.
    The following hack will allow you to add a custom help messages for the blog admin.

    The code have to be pasted into your functions.php file in order to work. Please edit line 4 with the desired help message.

     function my_admin_help($text, $screen) { 	// Check we're only on my Settings page 	if (strcmp($screen, MY_PAGEHOOK) == 0 ) { 		$text = 'Here is some very useful information to help you use this plugin...'; 		return $text; 	} 	// Let the default WP Dashboard help stuff through on other Admin pages 	return $text; }  add_action( 'contextual_help', 'my_admin_help' ); 

    Thanks to Studio Grasshopper for the code!

    How to detect mobile visitors on your WordPress blog – CodeRevolution

    As mobile devices, as such as Blackberries or iPhones, are becomming more and more popular, bloggers may want to detect those visitors and redirect them to a mobile version of their blog. Here is a recipe to detect mobile visitors.

    To achieve this recipe, you first have to get the code from detectmobilebrowsers.mobi and upload it to your theme directory.

    Once done, simply open your header.php file and place the following at the top of the file. Don’t forget to edit line 5 according to the page where you’d like to redirect mobile users.

     include('mobile_device_detect.php'); $mobile = mobile_device_detect();  if ($mobile==true) {   header( 'Location: http://your-website.com/?theme=Your_Mobile_Theme' ) ; } 

    Thanks to Jeff Starr for this very cool idea!

    By the way, did you checked out the Headway theme for WordPress? It is pretty amazing. I’ll publish a review about it soon at Cats Who Blog.

    How to: Display any rss feed on your WordPress blog – CodeRevolution

    Do you ever wanted to be able to display any rss feed on your WordPress blog? If yes, here’s a simple code that will get that thing done. Do you know that WordPress have a function, called wp_rss(), which is nothing else than a built-in rss reader?

    Here’s the simple code to add where you want the rss to be displayed (Personally, I’d use my sidebar, my footer or a page template):

     <?php include_once(ABSPATH . WPINC . '/rss.php'); wp_rss('http://feeds.feedburner.com/CodeRevolution', 3); ?> 

    Let’s have a quick look to the code: First, we’re including the rss.php file, which is a part of WordPress core. This file allows us to use the wp_rss() function.
    This function takes two parameters: The first is the rss feed url, and the second is the number of rss entries to be displayed.

    How to crop uploaded images instead of scaling them – CodeRevolution

    Would you like to crop your thumbnails instead of scaling them? If yes, I have a very handy snippet for you today. Just read on and enjoy!

    Just add the code below to your functions.php file:

     // Standard Size Thumbnail if(false === get_option("thumbnail_crop")) {      add_option("thumbnail_crop", "1"); }      else {           update_option("thumbnail_crop", "1");      }  // Medium Size Thumbnail if(false === get_option("medium_crop")) {      add_option("medium_crop", "1"); }      else {           update_option("medium_crop", "1");      }  // Large Size Thumbnail if(false === get_option("large_crop")) {      add_option("large_crop", "1"); }      else {           update_option("large_crop", "1");       } 

    Thanks to wp-snippet.com for the tip!

    How to: Display adsense to search engines visitors only – CodeRevolution

    It’s a fact: People who click on your ads are people comming from search engines, not regular readers. In order to avoid being “Smart Priced” by Google Adsense, you should definitely display ads to search engines visitors only. Here’s how to do it.

    First, we have to create a function. paste the code below in your theme functions.php file. Create that file if it doesn’t exists.

     function scratch99_fromasearchengine(){   $ref = $_SERVER['HTTP_REFERER'];   $SE = array('/search?', 'images.google.', 'web.info.com', 'search.', 'del.icio.us/search', 'soso.com', '/search/', '.yahoo.');   foreach ($SE as $source) {     if (strpos($ref,$source)!==false) return true;   }   return false; } 

    The $SE array is where you specify search engines. You can easily ad new search engines by adding new elements to the array.

    Then, paste the following code anywhere on your template where you want your adsense ads to appear. They’ll be displayed only to visitors comming from search engines results.

     if (function_exists('scratch99_fromasearchengine')) {   if (scratch99_fromasearchengine()) {     INSERT YOUR CODE HERE   } } 

    Credits goes to Stephen Cronin for this awesome recipe!

    How to display a thumbnail from a Youtube video using a shortcode – CodeRevolution

    Are you often displaying Youtube videos on your blog? If yes, what about displaying a preview thumbnail to your readers? Here is a great shortcode that will display a thumbnail from a Youtube video, using Youtube api.

    First, you need to create the shortcode. To do so, copy the code below and paste it into your functions.php file.

     /*     Shortcode to display youtube thumbnail on your wordpress blog.     Usage:     [youtube_thumb id="VIDEO_ID" img="0" align="left"]     VIDEO_ID= Youtube video id     img=0,1,2 or 3     align= left,right,center */ function wp_youtube_video_thumbnail($atts) {      extract(shortcode_atts(array(           'id' => '',           'img' => '0',           'align'=>'left'      ), $atts));     $align_class='align'.$align;     return '<img src="https://web.archive.org/web/20180630/CodeRevolution.com/<a%20href="http://img.youtube.com/vi/'.$id.'/'.$img.'.jpg&quot" rel="nofollow">http://img.youtube.com/vi/'.$id.'/'.$img.'.jpg&quot</a>; alt="" class="'.$align_class.'" />'; } add_shortcode('youtube_thumb', 'wp_youtube_video_thumbnail'); 

    Once done, you can use the shortcode. It accept 3 parameters: The video ID, the image size (0 for 480*360px, 1 for 120*90) and the image alignment.

    [youtube_thumb id="rNWeBVBqo2c" img="0" align="center"]

    Thanks to Gunay for the great code!

    How to display an author bio excerpt on your WordPress blog – CodeRevolution

    WordPress offers users the option to add biographical info for each author. This bio can be displayed on your theme using the the_author_meta( ‘description’ ) function. But what if you’d like to display only a bio excerpt? Here’s a function to do it.

    The first thing to do is to create the function. To do so, paste the following code into your functions.php file:

     <?php 	function author_excerpt (){	                     					 		$word_limit = 20; // Limit the number of words 		$more_txt = 'read more about:'; // The read more text 		$txt_end = '...'; // Display text end  		$authorName = get_the_author(); 		$authorUrl = get_author_posts_url( get_the_author_meta('ID')); 		$authorDescription = explode(" ", get_the_author_meta('description')); 		$displayAuthorPageLink = count($authorDescription) > $word_limit ? $txt_end.'<br /> '.$more_txt.' <a href="'.$authorUrl.'">'.$authorName.'</a>' : '' ; 		$authorDescriptionShort = array_slice($authorDescription, 0, ($word_limit)); 		return (implode($authorDescriptionShort, ' ')).$displayAuthorPageLink; 		 	} ?> 

    Once done, simply call the function when needed, as shown below:

     <?php  if (function_exists('author_excerpt')){echo author_excerpt();} ?> 

    Thanks to Tim Marcher for the tip!

    How to: Deny comment posting to no referrer requests – CodeRevolution

    If you’re a WordPress user, then you’re probably upset with the amount of daily spam comments. Sure, there’s akismet, but here’s a little .htaccess trick to prevent spammers posting on your blog.

    To achieve this recipe, simple paste the following code on your .htaccess file, located at the root of your WordPress install. Don’t forget to specify your blog url on line 4.
    Remember to ALWAYS create a backup when editing the .htaccess file.

     RewriteEngine On RewriteCond %{REQUEST_METHOD} POST RewriteCond %{REQUEST_URI} .wp-comments-post.php* RewriteCond %{HTTP_REFERER} !.*yourblog.com.* [OR] RewriteCond %{HTTP_USER_AGENT} ^$ RewriteRule (.*) ^http://%{REMOTE_ADDR}/$ [R=301,L] 

    The above code looks for the referer (The url from where the page has been called) when the wp-comments-post.php file is accessed. If a referer exists, and if it is your blog url, the comment is allowed. Otherwise, the sapm bot is redirected and the comment will not be posted.

    How to: Display a “welcome back” message to your visitors – CodeRevolution

    What about displaying a customized welcome message to your readers? Do you know that you can use the cookie sended by the comment form to get the name of the reader? Let’s use it to create a very cool welcome message.

    Nothing hard here: Simply paste the following code wherever you want on your template.

     <?php if(isset($_COOKIE['comment_author_'.COOKIEHASH])) {     $lastCommenter = $_COOKIE['comment_author_'.COOKIEHASH];     echo "Welcome Back ". $lastCommenter ."!"; } else {     echo "Welcome, Guest!"; } ?> 

    First, we checked if the visitor have a cookie called comment_author_xxx. If he have, we can get his name and display it on the welcome message. If the cookie doesn’t exists, we simply welcome the visitor as a guest.

    Credits goes to ifohdesigns for this awesome script!

    How to: Display category name without link – CodeRevolution

    When you’re using the the_category( ) function to display the category name of a post, a link to the category archive is automatically created by WordPress. While this is a good thing in most cases, what if you don’t want to create a link? Here’s an easy way to do it.

    To display the category name without haveing a link to the category archive being automatically created, simply open replace the_category( ) by the following code:

     <?php $category = get_the_category(); echo $category[0]->cat_name; ?> 

    Thanks to Corey Salzano for that trick!

    How to display a custom message on WordPress registration page – CodeRevolution

    If you need to be able to display a custom message on your registration page, here is a super simple solution to do it. Just read on and enjoy!

    First, update the code below with your message on line 6. Then, paste it into your functions.php file. You’re done! Just remove the code to remove the message if needed.

     add_action('register_form', 'register_message'); function register_message() {     $html = '         <div style="margin:10px 0;border:1px solid #e5e5e5;padding:10px">             <p style="margin:5px 0;">             Joining this site you agree to the following terms. Do no harm!             </p>         </div>';     echo $html; } 

    Thanks to Kevin Chard for the code!

    How to disable plugin updates on your WordPress blog – CodeRevolution

    By default, WordPress automatically checks if plugins updates are available, and if yes, ask you to install it. It is useful in most cases, but when building websites for clients you may not want them to updates plugins, for example if you modified a plugin especially for them. Here is an easy way to disable plugin updates on any WordPress blog.

    Nothing complicated: Simply paste the following code into your functions.php, save it, and you’re done.

     remove_action( 'load-update-core.php', 'wp_update_plugins' ); add_filter( 'pre_site_transient_update_plugins', create_function( '$a', "return null;" ) ); 

    Thanks to WP Snippets for the useful tip!

    How to: Easily modify WordPress wp-options table – CodeRevolution

    Everytime you’re defining a plugin setting or a custom field value, WordPress uses the wp-options table of your database to record it. Sure, you can use PhpMyAdmin to modify that table, but there’s even easier.

    To easily access to the wp-options table, juste enter the following url in your browser adress bar:

    http://www.yourblog.com/wp-admin/options.php

    You’ll see a control panel appearing. From it, you can modify almost all data recorded in the wp-options table. Of course, don’t do anything unless you know what you’re doing!

    Thanks to Michael Castilla for this awesome trick!

    How to disable automatic paragraphs in WordPress editor – CodeRevolution

    By default, WordPress automatically creates paragraphs on your post content. While this is generally useful, you might want to change this behavior to fit your specific needs. Today’s recipe explains how you can disable automatic paragraphs.

    Simply paste the following line into your functions.php file:

    remove_filter('the_content', 'wpautop');

    That’s all. Once you saved the file, WordPress will no longer create automatic paragraphs on your content.

    How to create custom dashboard help messages – CodeRevolution

    If you’re building a site for a client and they have some problems with some parts of the dashboard, a good idea is to provide contextual help to the client.
    The following hack will allow you to add a custom help messages for the blog admin.

    The code have to be pasted into your functions.php file in order to work. Please edit line 4 with the desired help message.

     function my_admin_help($text, $screen) { 	// Check we're only on my Settings page 	if (strcmp($screen, MY_PAGEHOOK) == 0 ) { 		$text = 'Here is some very useful information to help you use this plugin...'; 		return $text; 	} 	// Let the default WP Dashboard help stuff through on other Admin pages 	return $text; }  add_action( 'contextual_help', 'my_admin_help' ); 

    Thanks to Studio Grasshopper for the code!

    How to: Disable commenting on posts older than 30 days – CodeRevolution

    Sometimes, it can be useful to automatically disable commenting on posts older than X days. There’s no built-in function in WordPress to do that, but if you still like to do it, just read this recipe.

    To enable auto comment closing, simply paste the following function on the functions.php file from your theme. If that file doesn’t exists, create it.

     <?php  function close_comments( $posts ) { 	if ( !is_single() ) { return $posts; } 	if ( time() - strtotime( $posts[0]->post_date_gmt ) > ( 30 * 24 * 60 * 60 ) ) { 		$posts[0]->comment_status = 'closed'; 		$posts[0]->ping_status    = 'closed'; 	} 	return $posts; } add_filter( 'the_posts', 'close_comments' );  ?> 

    You can easily change the number of days after posts can’t be commented by changing 30 to X on line 3 of the close_comments() function.

    Credits goes to Perishable Press for thos awesome recipe!

    How to: Create a “Logout” button on your WordPress blog – CodeRevolution

    Especially in the case of a multi-author blog, it can be really useful to include a logout link on your theme. In this recipe, I’ll show you how to do this easily. Only suitable for WordPress 2.7.

    To create a “Logout” link on your WordPress blog, simply paste the following code on your theme:

    <a href="<?php echo wp_logout_url(); ?>">Logout</a>

    Please note that this will work with WordPress 2.7+ only. If you haven’t switched to WP 2.7 yet, the following code will do (almost) the same job:

    <a href="/wp-login.php?action=logout">logout</a>

    How to disable content editor for a specific page template – CodeRevolution

    When adding a meta box to a page in WordPress, you might want to disable the default editor. Simply drop this snippet in your theme’s functions.php file to disable the editor for a specific page template.

    Before pasting this code in your function.php file, edit line 11 and replace contact.php by the name of the page you want to disable the editor for.

     add_action( 'admin_init', 'hide_editor' );  function hide_editor() { 	// Get the Post ID. 	$post_id = $_GET['post'] ? $_GET['post'] : $_POST['post_ID'] ; 	if( !isset( $post_id ) ) return;  	// Get the name of the Page Template file. 	$template_file = get_post_meta($post_id, '_wp_page_template', true);          if($template_file == 'contact.php'){ // edit the template name     	remove_post_type_support('page', 'editor');     } }

    Credit: Snipplr.

    How to create a directory within the uploads folder – CodeRevolution

    When developing a plugin or theme, it can be useful to be able to programmatically create a directory within the wp-content/uploads folder. Here is a handy piece of code to do it.

    Simply paste this code snippet on your functions.php file (or plugin file if you’re creating a plugin)

     function myplugin_activate() {          $upload = wp_upload_dir();     $upload_dir = $upload['basedir'];     $upload_dir = $upload_dir . '/mypluginfiles';     if (! is_dir($upload_dir)) {        mkdir( $upload_dir, 0700 );     } }   register_activation_hook( __FILE__, 'myplugin_activate' ); 

    Thanks to Jean Galea for the snippet!

    How to create a login form shortcode for your WordPress blog – CodeRevolution

    Creating login forms on your WordPress blog used to be a complicated task. Now, thanks to the wp_login_form() function, displaying login forms on your blog has become easier. But what about a shortcode? This is what I’m going to show you on today’s recipe.

    Paste the code below into your functions.php file:

     function devpress_login_form_shortcode() { 	if ( is_user_logged_in() ) 		return '';  	return wp_login_form( array( 'echo' => false ) ); }  function devpress_add_shortcodes() { 	add_shortcode( 'devpress-login-form', 'devpress_login_form_shortcode' ); }  add_action( 'init', 'devpress_add_shortcodes' ); 

    Once done, you can now use the shortcode as shown in the following example. Simply paste it on the post editor, where you want the login form to be displayed.

    [devpress-login-form]

    Thanks to DevPress for the cool tip!

    How to create a dropdown menu of tags – CodeRevolution

    In order to display your categories in a dropdown menu, WordPress provide the wp_dropdown_categories() function. But if you want to display your tags in a dropdown as well, there’s no built in function. Let’s use wp_dropdown_categories() and modify it in order to be able to display tags in a dropdown menu.

    Simply paste the following code where you want the dropdown menu to be displayed. Note that you can use your own taxonomy: Just modify the code on line 5 according to your needs.

     <h2><?php _e('Posts by Tags'); ?></h2> <form action="<?php bloginfo('url'); ?>/" method="get"> <div> <?php $select = wp_dropdown_categories('taxonomy=post_tag&show_option_none=Select tag&show_count=1&orderby=name&echo=0'); $select = preg_replace("#<select([^>]*)>#", "<select$1 onchange='return this.form.submit()'>", $select); echo $select; ?> <noscript><div><input type="submit" value="View" /></div></noscript> </div></form> 

    Thanks to WP Lover for the code!

    How to disable image caption in WordPress post editor – CodeRevolution

    For each uploaded image, WordPress lets you enter a caption to describe the file. This is very cool, but sometimes you don’t need captions at all. Here is how you can get rid of it.

    Simply paste the following lines of code in your functions.php file, and you’re done!

     function caption_off() {     return true; }  add_filter( 'disable_captions', 'caption_off' ); 

    Thanks to Wp Tricks for this nice hack!

    How to create a custom database error page – CodeRevolution

    As a WordPress user, you probably had the infamous “Error establishing a database connection” error at least once. This error occurs when your database can’y handle a request. On cheap hosts, this can happen often. Today, I’m showing you how to give a custom style to this error page.

    Paste the code below into a new file. Name it db-error.php and save it on your wp-content directory. In case of a database error, WordPress will automatically use this file.

     <?php // custom WordPress database error page    header('HTTP/1.1 503 Service Temporarily Unavailable');   header('Status: 503 Service Temporarily Unavailable');   header('Retry-After: 600'); // 1 hour = 3600 seconds    // If you wish to email yourself upon an error   // mail("your@email.com", "Database Error", "There is a problem with the database!", "From: Db Error Watching");  ?>  <!DOCTYPE HTML> <html> <head> <title>Database Error</title> <style> body { padding: 20px; background: red; color: white; font-size: 60px; } </style> </head> <body>   You got problems. </body> </html> 

    Thanks to CSS Tricks for the tip!

    How to clean up wp_head() without a plugin – CodeRevolution

    WordPress adds a lot of stuff through wp_head() hook included in most WordPress themes. Some of this stuff is useful, but some other isn’t. Here’s a quick recipe to clean up the wp_head() easily without using a plugin.

    Paste the following lines of code into your functions.php file:

     remove_action( 'wp_head', 'rsd_link' ); remove_action( 'wp_head', 'wlwmanifest_link' ); remove_action( 'wp_head', 'wp_generator' ); remove_action( 'wp_head', 'start_post_rel_link' ); remove_action( 'wp_head', 'index_rel_link' ); remove_action( 'wp_head', 'adjacent_posts_rel_link' ); remove_action( 'wp_head', 'wp_shortlink_wp_head' ); 

    Thanks to Noumaan Yaqoob for the code!

    How to change WordPress default FROM email address – CodeRevolution

    WordPress is a very flexible blogging platform, but by default, you can’t modify the FROM email adress. If you want to be able to easily change it, just read the recipe I have for you today.

    Simply paste the following snippet into your functions.php file. Don’t forget to put the desired email adress on line 5 and desired name on line 8.

     add_filter('wp_mail_from', 'new_mail_from'); add_filter('wp_mail_from_name', 'new_mail_from_name');  function new_mail_from($old) {  return 'admin@yourdomain.com'; } function new_mail_from_name($old) {  return 'Your Blog Name'; } 

    Credits: Rainy Day Media.

    How to change WordPress editor font – CodeRevolution

    If you’re using WordPress visual editor, you may want to change the default font to a new one of your choice. Simply follow this simple recipe to get the job done.

    Nothing complicated. Simply open your functions.php file and paste the following code:

     add_action( 'admin_head-post.php', 'devpress_fix_html_editor_font' ); add_action( 'admin_head-post-new.php', 'devpress_fix_html_editor_font' );  function devpress_fix_html_editor_font() { ?> <style type="text/css">#editorcontainer #content, #wp_mce_fullscreen { font-family: Georgia, "Times New Roman", "Bitstream Charter", Times, serif; }</style> <?php } 

    Once you saved the file, the editor font is changed to Georgia. Of course, feel free to modify the code to display your favorite font.

    Thanks to DevPress for the cool tip!

    How to detect a comments page on your WordPress blog – CodeRevolution

    On WordPress dashboard, there’s an option to divide comments lists in sub pages. Unfortunately, there’s no built-in conditional tag to know if you’re currently on a comment page. So let’s built one!

    Simply put the following code anywhere on your theme files. If you’re on a comment page, the conditional statement will return true, so any code within brackets will be executed.

     $cpage = get_query_var( 'cpage' ); if ( is_singular() && $cpage > 0 ){     // Your code here } 

    This code works on posts, pages, attachments as well as all custom post_types.

    Thanks to Daniel Roch for the cool tip!

    How to change the “posts” label to “articles” – CodeRevolution

    Are you working for clients which aren’t very good with technology? If yes, most of them might find the term “post” a bit confusing, while “article” can be seen as much self-explanatory. Today, I’m going to show you how you can easily change the “post” label to “articles”.

    Nothing complicated: Open your functions.php file, paste the code below in it. Save the file, and you’re done!

     add_filter('gettext',  'change_post_to_article'); add_filter('ngettext',  'change_post_to_article');  function change_post_to_article($translated) {      $translated = str_ireplace('Post',  'Article',  $translated);        return $translated; }

    Thanks to Smashing Magazine for the cool tip!

    How to: Automatically insert content after each post – CodeRevolution

    Most blogs automatically displays some text after each post, for exemple to ask readers to subscribe to their rss feed. This text is very often hardcoded. Why not using function.php instead, and be able to keep the text when you’ll switch theme?

    To achieve this recipe, simply paste the following code in your functions.php file. By using functions.php, you’ll not have to re-insert this code if you switch themes.

     function insertFootNote($content) {         if(!is_feed() && !is_home()) {                 $content.= "<div class='subscribe'>";                 $content.= "<h4>Enjoyed this article?</h4>";                 $content.= "<p>Subscribe to our  <a href='http://feeds2.feedburner.com/CodeRevolution'>RSS feed</a> and never miss a recipe!</p>";                 $content.= "</div>";         }         return $content; } add_filter ('the_content', 'insertFootNote'); 

    Credits goes to Cédric Bousmane for that trick!

    How to change the title attribute of WordPress login logo – CodeRevolution

    This little snippet will change the title attribute text when you hover over the WordPress logo on the login page. Super easy and very useful when working on a site for a client.

    Simply paste the following code snippet into your functions.php file. Title text can be customized on line 2.

     function  custom_login_title() {         return 'Your desired text'; } add_filter('login_headertitle', 'custom_login_title'); 

    Thanks to Dave Clements for this code!

    How to change contents of a dashboard help tab – CodeRevolution

    WordPress has a little tab in the top-right corner that, when clicked, drops down some contextual help. Here is a super useful function to hook different help text to different pages.

    Simply paste the code below into your functions.php file.

     //hook loading of new page and edit page screens add_action('load-page-new.php','add_custom_help_page'); add_action('load-page.php','add_custom_help_page');  function add_custom_help_page() {    //the contextual help filter    add_filter('contextual_help','custom_page_help'); }  function custom_page_help($help) {    //keep the existing help copy    echo $help;    //add some new copy    echo "<h5>Custom Features</h5>";    echo "<p>Content placed above the more divider will appear in column 1. Content placed below the divider will appear in column 2.</p>"; } 

    Thanks to WP Tuts for the tip!

    How to automatically create meta description from content – CodeRevolution

    By default, WordPress do not add a <meta description> tag to your blog. While not necessary, some SEO experts insists that this tag is important for your site SEO. So what about generating one using your post content? Here is a cool piece of code to do it easily.

    Paste the following code into your functions.php file:

     function create_meta_desc() {     global $post; if (!is_single()) { return; }     $meta = strip_tags($post->post_content);     $meta = strip_shortcodes($post->post_content);     $meta = str_replace(array("n", "r", "t"), ' ', $meta);     $meta = substr($meta, 0, 125);     echo "<meta name='description' content='$meta' />"; } add_action('wp_head', 'create_meta_desc'); 

    Thanks to Paul for this handy snippet!

    How to change author url base on your WordPress site – CodeRevolution

    In WordPress, author profile are by default accessible using the url yoursite.com/author/name. But what if you want to use the term “profile” instead of “author” in the url? Here is a handy recipe to do so.

    Pasting the following code on your functions.php file will change the default yoursite.com/author/name to yoursite.com/profile/name.
    Replace profile on line 4 by any slug you want.

     add_action('init', 'cng_author_base'); function cng_author_base() {     global $wp_rewrite;     $author_slug = 'profile'; // change slug name     $wp_rewrite->author_base = $author_slug; } 

    Thanks to Kevin Chard for the cool tip!

    How to: Change author attribution on all posts at once – CodeRevolution

    Some bloggers makes the mistake to write their first posts under the name “admin”, until they realize that it’s absolutely not personal. But then, modifying author attribution on each post takes a lot of time. Happilly, here’s a recipe to batch modify author attribution.

    To achieve this recipe, we’ll use phpmyadmin and the SQL language. As the following commands will modify your WordPress database, don’t forget to create a backup before running any command throught phpmyadmin.

    The first thing to do is getting the IDs of WordPress users. Once logged in phpmyadmin, insert the following SQL command:

    SELECT ID, display_name FROM wp_users;

    Right now, phpmyadmin displayed a list of WordPress users associated with their IDs. Let’s say that NEW_AUTHOR_ID is the ID of the “new” author, and OLD_AUTHOR_ID is the old author ID.

    UPDATE wp_posts SET post_author=NEW_AUTHOR_ID WHERE post_author=OLD_AUTHOR_ID;

    That’s all. Once this last command has been run, all posts from the old author now appears to have been written by the new author.

    How to: Automatically notify your members on new posts – CodeRevolution

    Do you ever wished to be able to automatically send an email to your registered users and notify them of a new post on your WordPress blog? If yes, just read this recipe and lear how to do it easily!

    Just paste the following code on your functions.php file:

     function email_members($post_ID)  {     global $wpdb;     $usersarray = $wpdb->get_results("SELECT user_email FROM $wpdb->users;");         $users = implode(",", $usersarray);     mail($users, "New WordPress recipe online!", 'A new recipe have been published on http://www.CodeRevolution.com');     return $post_ID; }  add_action('publish_post', 'email_members'); 

    Once saved, all registered users will receive an email when a new post is published.

    This recipe is inspired from an example found in WordPress Codex.

    How to automatically email contributors when their posts are published – CodeRevolution

    If you’re running a multi-authored blog, it can be very cool to let your contributors know when their post are online. Today’s recipe will show you how to do this automatically each time a post is published.

    Nothing complicated with this recipe. Copy the code below and paste it on your functions.php file. Then save the file, and you’re done!

     function wpr_authorNotification($post_id) {    $post = get_post($post_id);    $author = get_userdata($post->post_author);     $message = "       Hi ".$author->display_name.",       Your post, ".$post->post_title." has just been published. Well done!    ";    wp_mail($author->user_email, "Your article is online", $message); } add_action('publish_post', 'wpr_authorNotification'); 

    Thanks to Daniel Pataki for the great piece of code!

    How to automatically add Gravatars for the post author – CodeRevolution

    Would you like to be able to automatically add the author gravatar to each post? It is really easy to do with this handy recipe.

    Simply paste the following code where you’d like the author Gravatar to be displayed. Please note that this code must be used within the loop.

     <?php echo get_avatar( get_the_author_email(), '80' ); ?> 

    Thanks to Emoticode for the tip!

    How to automatically insert a list of related articles below the post – CodeRevolution

    When a reader finished reading one of your blog posts, why not suggesting him other article he might like as well? Here’s a quick tip to automatically display related posts (based on category) below the current post.

    First, paste the code below into the functions.php file from your theme.

     // "More from This Category" list by Barış Ünver @ Wptuts+ function wptuts_more_from_cat( $title = "More From This Category:" ) {     global $post;     // We should get the first category of the post     $categories = get_the_category( $post->ID );     $first_cat = $categories[0]->cat_ID;     // Let's start the $output by displaying the title and opening the <ul>     $output = '<div id="more-from-cat"><h3>' . $title . '</h3>';     // The arguments of the post list!     $args = array(         // It should be in the first category of our post:         'category__in' => array( $first_cat ),         // Our post should NOT be in the list:         'post__not_in' => array( $post->ID ),         // ...And it should fetch 5 posts - you can change this number if you like:         'posts_per_page' => 5     );     // The get_posts() function     $posts = get_posts( $args );     if( $posts ) {         $output .= '<ul>';         // Let's start the loop!         foreach( $posts as $post ) {             setup_postdata( $post );             $post_title = get_the_title();             $permalink = get_permalink();             $output .= '<li><a href="' . $permalink . '" title="' . esc_attr( $post_title ) . '">' . $post_title . '</a></li>';         }         $output .= '</ul>';     } else {         // If there are no posts, we should return something, too!         $output .= '<p>Sorry, this category has just one post and you just read it!</p>';     }     // Let's close the <div> and return the $output:     $output .= '</div>';     return $output; } 

    Once done, open your single.php file and call the function as shown below, where you’d like to display the related posts:

     <?php echo wptuts_more_from_cat( 'More From This Category:' ); ?> 

    Thanks to WP Tuts for the cool tip!

    How to bring back single-column dashboard in WordPress 3.8 – CodeRevolution

    WordPress 3.8 introduces a new way to display the dashboard. If you don’t like it and would love to bring back the good old single-column dashboard, here’s a quick tip for you.

    Bringing back the single-column dashboard in WordPress 3.8 is pretty easy: just add this code to your theme’s functions.php file.

     // force one-column dashboard function shapeSpace_screen_layout_columns($columns) { 	$columns['dashboard'] = 1; 	return $columns; } add_filter('screen_layout_columns', 'shapeSpace_screen_layout_columns');  function shapeSpace_screen_layout_dashboard() { return 1; } add_filter('get_user_option_screen_layout_dashboard', 'shapeSpace_screen_layout_dashboard'); 

    Thanks to Jeff Starr for the tip!

    How to automatically add paragraph tags in WordPress – CodeRevolution

    By default, WordPress automatically add paragraph tags to the content and the excerpt, using the wpautop() function. If you need to automatically add some <p> tags to any text, you can use the function as shown in today’s example.

    In order to add paragraph tags to any text, simply use the wpautop() function, as shown below:

     $my_text = 'Lorem ipsum dolor sit amet consectetur adipiscing elit.  Nulla pretium libero eget gravida rutrum.';  echo wpautop( $my_text ); 

    Thanks to Daniel Pataki for the tip!

    How to automatically add a search field to your navigation menu – CodeRevolution

    Do you ever wanted to be able to automatically add a search field to WP 3.0+ navigation menus? If yes, just have a look to today’s recipe, you’ll probably love it!

    Open your functions.php file, and paste the following code. The search field will be displayed once you saved the file.

     add_filter('wp_nav_menu_items','add_search_box', 10, 2); function add_search_box($items, $args) {           ob_start();         get_search_form();         $searchform = ob_get_contents();         ob_end_clean();           $items .= '<li>' . $searchform . '</li>';       return $items; }

    Thanks to Ronald for the cool tip!

    How to automatically add rel=”lightbox” to all images embedded in a post – CodeRevolution

    The well known jQuery plugin Lightbox is a very simple way to open images in fancy full-screen boxes. It is very easy to use, but you have to add a rel=”lightbox” attribute to each image you want to open in a lightbox. Here’s a cool code snippet to automatically add the rel=”lightbox” attribute to all images embedded in your posts.

    Paste the following code snippet in your functions.php file. Once done, a rel=”lightbox” attribute will be automatically added to all images embedded in a post.

     add_filter('the_content', 'my_addlightboxrel'); function my_addlightboxrel($content) {        global $post;        $pattern ="/<a(.*?)href=('|")(.*?).(bmp|gif|jpeg|jpg|png)('|")(.*?)>/i";        $replacement = '<a$1href=$2$3.$4$5 rel="lightbox" title="'.$post->post_title.'"$6>';        $content = preg_replace($pattern, $replacement, $content);        return $content; } 

    Thanks to Tyler Longren for the snippet!

    How to automatically add a class to body_class if there’s a sidebar – CodeRevolution

    By default, the body_class() function adds some class to the <body> tag to allow you to style your site more easily. But unfortunely, no extra class is added when your template has a sidebar. Here is a imple function to solve this problem.

    To apply the hack, just paste the code below into your functions.php file.

     function wpfme_has_sidebar($classes) {     if (is_active_sidebar('sidebar')) {         // add 'class-name' to the $classes array         $classes[] = 'has_sidebar';     }     // return the $classes array     return $classes; } add_filter('body_class','wpfme_has_sidebar'); 

    Thanks to WP Function for the tip!

    How to: Allow your visitors to send your articles by email to their friends – CodeRevolution

    Many websites allow their visitors to send their articles to friends, so why not implement it on your WordPress blog? The following recipe contain an easy solution to do it.

    To achieve this recipe, simply open your single.php template and paste the following code within the loop, where you want the “Email this” link to be displayed:

     <a href="mailto:?subject=<?php the_title(); ?>&amp;body=<?php the_permalink() ?>" title="Send this article to a friend!">Email this</a> 

    That’s all. Please note that it will only allow visitors using a mail software as such as Thunderbird or Outlook to email their friends.

    This article has been submitted by chonchon. Have a good WordPress recipe that you’d like to share with the community? Contribute to CodeRevolution!

    How to automatically empty trash on a daily basis – CodeRevolution

    On your WordPress blog, when an item like a post or comment is deleted, it goes in Trash instead of being permanently removed. Here is a super simple code snippet to tell WordPress to automatically empty the trash everydays.

    Simply open your wp-config.php file (Located at the root of your WordPress install) and add the following line of code:

    define('EMPTY_TRASH_DAYS', 1);

    Replace 1 by X to empty spam comments automatically every X days. That’s simple as that!

    How to: Add shortcodes in sidebar Widgets – CodeRevolution

    You know it, I love shortcodes, and wrote about time some days ago. But a very frustrating thing is that you can’t add shortcode in sidebar Widgets. You can’t? yes, unless you read that recipe!

    To allow shortcodes in sidebar widgets, simply edit the functions.php file from your them and add the following code:

    add_filter('widget_text', 'do_shortcode');

    Once you saved the file, you can now add as many shortcodes as you want in sidebar widgets.

    Credits goes to English Mike for this awesome recipe!

    How to: Add privates pages in navigation menus – CodeRevolution

    Are you using private pages? If yes, you probably know that they’re not displayed in the navigation menu. Happilly, here’s a small recipe to change this and show private pages to specific users.

    To achieve this recipe, simply open the file where your navigation is (You can look up for the wp_list_pages() function) and insert this snippets instead of the function:

     <ul> <?php wp_list_pages('depth=1&title_li=0&sort_column=menu_order'); if(current_user_can('read_private_pages')) : ?> <li><a href="<?php echo get_permalink(10); ?>">For Authors only</a></li> <?php endif; ?> </ul> 

    That’s all. Your navigation menu now display private pages to specific users.

    Thanks to WpEngineer for this awesome recipe!

    How to automatically generate a QR code for your posts – CodeRevolution

    QR Codes are quite popular online theses days. Do you want to generate QR codes for all of your blog posts? Here is a very simple way to do it.

    Copy the following code and paste it into your single.php file, where you want the QR code to be displayed.
    If you also want to provide a QR code on pages, paste the code into page.php as well.

    <img src="https://api.qrserver.com/v1/create-qr-code/?size=100x100&data=<?php the_permalink(); ?>" alt="QR:  <?php the_title(); ?>"/>

    Thanks to Kevin Chard for the tip!

    How to automatically remove the Nofollow from your posts – CodeRevolution

    By default, WordPress automatically converts all links from the post content to nofollow. If you prefer your links to be dofollow, just read and use the following recipe.

    Copy the following code, and paste it on the functions.php file from your theme. Once you saved the file file, the rel=”nofollow” attributes will be removed.

     function remove_nofollow($string) { 	$string = str_ireplace(' rel="nofollow"', '', $string); 	return $string; } add_filter('the_content', 'remove_nofollow'); 

    Thanks to Jeff Starr for this awesome piece of code. Have you checked out the book Jeff wrote with Chris Coyier? It’s called Digging into WordPress and it is great!

    How to add nofollow attributes to all links in a specific category – CodeRevolution

    Sometimes you may want to have an entire category of your blog with nofollow links, for exemple if you’re linking to a lot of external resources. Here is a quick and easy recipe to do so. Enjoy!

    Simply copy the code below and paste it on your functions.php file. Don’t forget to set the desired category ID on line 3.

     function nofollow_cat_posts($text) { global $post;         if( in_category(1) ) { // SET CATEGORY ID HERE                 $text = stripslashes(wp_rel_nofollow($text));         }         return $text; } add_filter('the_content', 'nofollow_cat_posts'); 

    Thanks to Sagive for submitting this function!

    How to add .pdf support to the WordPress media manager – CodeRevolution

    By default, the built-in WordPress media manager allows you to filter media by three types: images, audio and video. But if you work a lot with .pdf files, you may need to add an option to filter .pdf files from the media manager. Here is a simple code snippet to do it.

    Paste this code into your functions.php file. Save the file, and you’re done.

     function modify_post_mime_types( $post_mime_types ) {  	// select the mime type, here: 'application/pdf' 	// then we define an array with the label values  	$post_mime_types['application/pdf'] = array( __( 'PDFs' ), __( 'Manage PDFs' ), _n_noop( 'PDF <span class="count">(%s)</span>', 'PDFs <span class="count">(%s)</span>' ) );  	// then we return the $post_mime_types variable 	return $post_mime_types;  }  // Add Filter Hook add_filter( 'post_mime_types', 'modify_post_mime_types' ); 

    Note that this code snippet can be used for other file types as well as .swf, .avi, .mov, etc.

    Thanks to WP Tuts for the nice code snippets!

    How to add SVG upload support to your WordPress blog – CodeRevolution

    By default, WordPress uploader do not support the SVG format. As this file format is becoming quite popular theses days, here is a simple recipe to add SVG upload to your WordPress install.

    Simply add the code below to functions.php in your WordPress theme. SVG upload will be supported once the file is saved.

     add_filter('upload_mimes', 'my_upload_mimes');   function my_upload_mimes($mimes = array()) {     $mimes['svg'] = 'image/svg+xml';     return $mimes; } 

    Thanks to dbushell for the snippet!

    How to: Add “del” and “spam” buttons to your comments – CodeRevolution

    Wouldn’t it be nice if you were able to mark a comment as spam, or even delete it, from your blog, without visiting your WordPress dashboard? If you’re interested, read on, you’ll probably not regret it 😉

    First, we have to create the function. Paste the code below on the functions.php file from your theme. If that file doesn’t exists, create it.

     function delete_comment_link($id) {   if (current_user_can('edit_post')) {     echo '| <a href="'.admin_url("comment.php?action=cdc&c;=$id").'">del</a> ';     echo '| <a href="'.admin_url("comment.php?action=cdc&dt;=spam&c;=$id").'">spam</a>';   } } 

    Then, edit your comments.php file. Add the following code where you want it to appear. It must be within the comment loop. On most themes, you’ll find a edit_comment_link() declaration. Add the code just after.

    delete_comment_link(get_comment_ID());

    Credits goes to Joost de Valk for this awesome recipe!

    How to add custom text to WordPress login page – CodeRevolution

    If for some reason you need to display a custom message on WordPress login page, here is a quick and easy recipe to do it.

    Nothing complicated, paste the code below in your functions.php file. Message can be customized on line 3.

     function wps_login_message( $message ) {     if ( empty($message) ){         return "<p class='message'>Welcome to this site. Please log in to continue</p>";     } else {         return $message;     } } add_filter( 'login_message', 'wps_login_message' ); 

    Thanks to WP Snippy for the tip!

    How to: Add a “Share on facebook” link to your WordPress blog – CodeRevolution

    As you know it, facebook is a very popular website, which allow you to share webpages you like with your friends. In order to promote your blog and gain some more traffic, you should definitely add a “Share on Facebook” link to your blog.

    Simply paste the following code on your single.php file, within the loop:

     <a href="http://www.facebook.com/sharer.php?u=<?php the_permalink();?>&t;=<?php the_title(); ?>" target="blank">Share on Facebook</a>

    That’s all. Your readers are now able to send your blog post on Facebook and share it with their friends!
    (PS: I’m not on facebook, so don’t ask 😉 )

    Display the total number of users of your WordPress blog – CodeRevolution

    If your blog allow user registration, what about displaying the total number of registered users? This simple code will allow you to do it easily.

    To achieve this recipe, simply paste the following code anywhere in your theme files:

     $users = $wpdb->get_var("SELECT COUNT(ID) FROM $wpdb->users"); echo $users." registered users."; 

    Once you saved the file and refreshed your blog, the total number of users will be displayed.

    Display number of Facebook fans in full text on your WordPress blog – CodeRevolution

    If you have a Facebook page for your blog, you might want to display how many fans you have. Today’s recipe will help you to get your Facebook fan count, in full text!

    Simply paste the following code in any of your theme files, where you want your Facebook fan count to be displayed. Don’t forget to add your page ID on line 2!

     <?php 	$page_id = "YOUR PAGE-ID"; 	$xml = @simplexml_load_file("http://api.facebook.com/restserver.php?method=facebook.fql.query&query=SELECT%20fan_count%20FROM%20page%20WHERE%20page_id=".$page_id."") or die ("a lot"); 	$fans = $xml->page->fan_count; 	echo $fans; ?> 

    Thanks to WP Snippets for the recipe!

    How to: Add a line break between sidebar widgets – CodeRevolution

    Widgets are great, that is a sure thing. But sometimes, they can be annoying, for exemple when they don’t look the way you want or need. The most common problem seems to be adding a line break between widgets. Here’s how to do it.

    To add a line break between sidebar widgets, simply open your style.css file and append the following code:

     .widget{     margin-bottom:25px; } 

    Easy, isn’t it? Note that it is possible to add a linre break to a specific widget only. You’ll need its css id for that.

    Easily delete WordPress post revisions using your fuctions.php file – CodeRevolution

    Post revisions are super useful sometimes, but from time to time you might want to clean your database. Here’s a super easy way to delete all posts revisions.

    Open you functions.php file and paste the following code:

     $wpdb->query( " DELETE FROM $wpdb->posts WHERE post_type = 'revision' " ); 

    Save the file and open your blog homepage to run the code. Once done, there’s no need to keep the code snippet in your functions.php file, as it will always delete all post revisions. So simply remove it.

    Thanks to Hardeep Asrani for the tip!

    Disable WordPress automatic formatting on posts using a shortcode – CodeRevolution

    If you often display code snippets on your WordPress blog, you know how bad WordPress automatic formatting can be. Happilly, with the help from a very cool shortcode you can be able to disable it on a certain portion of text.

    The first thing to do is to add the following function to your functions.php file:

     function my_formatter($content) { 	$new_content = ''; 	$pattern_full = '{([raw].*?[/raw])}is'; 	$pattern_contents = '{[raw](.*?)[/raw]}is'; 	$pieces = preg_split($pattern_full, $content, -1, PREG_SPLIT_DELIM_CAPTURE);  	foreach ($pieces as $piece) { 		if (preg_match($pattern_contents, $piece, $matches)) { 			$new_content .= $matches[1]; 		} else { 			$new_content .= wptexturize(wpautop($piece)); 		} 	}  	return $new_content; } 	 remove_filter('the_content', 'wpautop'); remove_filter('the_content', 'wptexturize');  add_filter('the_content', 'my_formatter', 99); 

    Once done, you can use the [raw] shortcode in your posts:

    [raw]Unformatted code[/raw]

    If you’re interested in WordPress shortcode, I’ll be publishing a WordPress shortcodes related article on my blog Cats Who Code on thursday. Make sure you grabbed Cats Who Code RSS feed so you’re not going to miss it!

    Thanks to TheBinaryPenguin for this awesome shortcode!

    Customize WordPress login logo without a plugin – CodeRevolution

    WordPress login logo looks nice, but sometimes you may want to change it, for example when building a site for a client. In that case, you can use a plugin, or simply take advantage of this cool hack.

    Nothing hard with this recipe. The only thing you have to do is to copy the following piece of code, and paste it on your functions.php file:

     function my_custom_login_logo() {     echo '<style type="text/css">         h1 a { background-image:url('.get_bloginfo('template_directory').'/images/custom-login-logo.gif) !important; }     </style>'; }  add_action('login_head', 'my_custom_login_logo'); 

    This hack has been submitted by Rami. Thanks for your contribution!

    How to add a “delete” button to WordPress admin bar – CodeRevolution

    The admin bar is a featured introduced by WordPress 3.1. It adds useful options such as adding new posts or editing an existing one. But it do not feature a “delete” button, so you can’t trash a post without accessing the post lists on the dashboard. Here is a cool hack to add a “delete” button to WordPress admin bar.

    To apply this tip, simply paste the following code into your functions.php file:

     <?php function fb_add_admin_bar_trash_menu() {   global $wp_admin_bar;   if ( !is_super_admin() || !is_admin_bar_showing() )       return;   $current_object = get_queried_object();   if ( empty($current_object) )       return;   if ( !empty( $current_object->post_type ) &&      ( $post_type_object = get_post_type_object( $current_object->post_type ) ) &&      current_user_can( $post_type_object->cap->edit_post, $current_object->ID )   ) {     $wp_admin_bar->add_menu(         array( 'id' => 'delete',             'title' => __('Move to Trash'),             'href' => get_delete_post_link($current_object->term_id)         )     );   } } add_action( 'admin_bar_menu', 'fb_add_admin_bar_trash_menu', 35 ); ?> 

    Thanks to WP Engineer for the great hack!

    How to activate link manager on WordPress 3.5 (and newer) – CodeRevolution

    As of WordPress version 3.5 (and newer) they have left out the Link Manager link in the admin area. here is a quick recipe to bring it back!

    Just paste this code into your functions.php file, and you’re done!

     <?php  	//Activate the Link Manager built in to the WordPress admin 	add_filter( 'pre_option_link_manager_enabled', '__return_true' );  ?> 

    Thanks to Tim Berneman for this tip!

    Creating user-defined RSS feeds in WordPress – CodeRevolution

    RSS feeds are very useful, and indeed, very popular. WordPress creates RSS feeds by default, which is good in 99% of times. But how to create your own, custom RSS Feed? Just read this post to find out!

    If you need a custom RSS feed, like for example, a feed indexing only somes categories + tags, or if you redirected all WordPress RSS feeds to Feedburner but still want to be able to get a category feed, the solution is to use a page template.
    Simply paste the following code in a new file, save it under the name custom-feed.php and upload it on your theme directory.
    Once done, simply write a new page in WordPress Dashboard (Don’t type any text it in), and select custom-feed.php as a page template.

     <?php /* Template Name: Custom Feed */   $numposts = 5;   function yoast_rss_date( $timestamp = null ) {   $timestamp = ($timestamp==null) ? time() : $timestamp;   echo date(DATE_RSS, $timestamp); }   function yoast_rss_text_limit($string, $length, $replacer = '...') {    $string = strip_tags($string);   if(strlen($string) > $length)      return (preg_match('/^(.*)W.*$/', substr($string, 0, $length+1), $matches) ? $matches[1] : substr($string, 0, $length)) . $replacer;      return $string;  }   $posts = query_posts('showposts='.$numposts);   $lastpost = $numposts - 1;   header("Content-Type: application/rss+xml; charset=UTF-8"); echo '<?xml version="1.0"?>'; ?><rss version="2.0"> <channel>   <title>Yoast E-mail Update</title>   <link>http://yoast.com/</link>   <description>The latest blog posts from Yoast.com.</description>   <language>en-us</language>   <pubDate><?php yoast_rss_date( strtotime($ps[$lastpost]->post_date_gmt) ); ?></pubDate>   <lastBuildDate><?php yoast_rss_date( strtotime($ps[$lastpost]->post_date_gmt) ); ?></lastBuildDate>   <managingEditor>joost@yoast.com</managingEditor> <?php foreach ($posts as $post) { ?>   <item>     <title><?php echo get_the_title($post->ID); ?></title>     <link><?php echo get_permalink($post->ID); ?></link>     <description><?php echo '<![CDATA['.yoast_rss_text_limit($post->post_content, 500).'<br/><br/>Keep on reading: <a href="'.get_permalink($post->ID).'">'.get_the_title($post->ID).'</a>'.']]>';  ?></description>     <pubDate><?php yoast_rss_date( strtotime($post->post_date_gmt) ); ?></pubDate>     <guid><?php echo get_permalink($post->ID); ?></guid>   </item> <?php } ?> </channel> </rss> 

    Credits goes to Joost de Valk for this awesome recipe!

    Downsize your WordPress database by removing transients – CodeRevolution

    Transients are a simple and standardized way of temporarily storing cached data in the database by giving it a custom name and a timeframe after which it will expire and be deleted. But sometimes, transients set by WP and countless plugins can take a lot of space in your database. Using a simple SQL query, you can easily getting rid of them.

    First of it all, login to your phpmyadmin and choose your WordPress database. Once done, click on the sql button to open the sql command window.
    Then, simply paste the following sql command and execute it.

     DELETE FROM `wp_options` WHERE `option_name` LIKE ('%_transient_%'); 

    Credit: Stack Overflow

    Want more super useful SQL queries? Check out this article on Cats Who Code.

    Ho to: Use Twitter avatars in comments – CodeRevolution

    Do you enjoy Twitter? I do. So what about displaying Twitter avatars in your comments, instead of gravatars? In this recipe, you’ll learn how to easily integrates Twitter avatars on your comments.

    So you want to integrate Twitter avatars to your comments? No problem!

    The first thing to do is to get the functions file here or here.

    Once you have it, unzip the archive and open the twittar.php file. Select all its content and paste it to the functions.php file from your theme.

    The last thing to do is to open your comments.php file and find the comments loops. Then, paste the following line inside it:

     <?php twittar('45', 'default.png', '#e9e9e9', 'twitavatars', 1, 'G'); ?> 

    Thanks to Smashing Magazine and Ricardo Sousa for this excellent piece of code!

    Create custom “Read more” links on your WordPress blog – CodeRevolution

    The “more” link is indeed a great WordPress capability, which allow you to choose the part of the post to be displayed on the homepage. Then, a “Read more” link is displayed. But how can you change the text of this link? Just read on.

    To achieve this recipe, the first step is to edit your posts and create custom fields. Give them custom_more as a key, and the text to display as a value.

    Once done, edit your index.php file (As well as category.php, search.php, etc) and find a line similar to this:

    the_content("Read more");

    Simply replace it with this code:

     <?php $custommore = get_post_meta($post->ID, 'custom_more', true); ?>  <?php if (!$custommore) { $custommore = 'Read More &raquo;'; } ?>  <?php the_content($custommore); ?> 

    That’s all. Now, if you create a custom field named custom_more, its value will be displayed instead of the classic “Read more” link.

    Thanks to Chris Cagle for this very usefull trick!

    Display the total number of your Twitter followers on your WordPress blog – CodeRevolution

    If you’re on Twitter, you probably display the number of your followers on your blog, using the chicklet from TwitterCounter.com. Today, I’m going to show you how to display your followers in full text mode.

    The first thing to do is to paste the following php functions on the functions.php file from your WordPress blog theme:

     function string_getInsertedString($long_string,$short_string,$is_html=false){   if($short_string>=strlen($long_string))return false;   $insertion_length=strlen($long_string)-strlen($short_string);   for($i=0;$i<strlen($short_string);++$i){     if($long_string[$i]!=$short_string[$i])break;   }   $inserted_string=substr($long_string,$i,$insertion_length);   if($is_html && $inserted_string[$insertion_length-1]=='<'){     $inserted_string='<'.substr($inserted_string,0,$insertion_length-1);   }   return $inserted_string; }  function DOMElement_getOuterHTML($document,$element){   $html=$document->saveHTML();   $element->parentNode->removeChild($element);   $html2=$document->saveHTML();   return string_getInsertedString($html,$html2,true); }  function getFollowers($username){   $x = file_get_contents("http://twitter.com/".$username);   $doc = new DomDocument;   @$doc->loadHTML($x);   $ele = $doc->getElementById('follower_count');   $innerHTML=preg_replace('/^<[^>]*>(.*)<[^>]*>$/',"\1",DOMElement_getOuterHTML($doc,$ele));   return $innerHTML; } 

    Then, simply paste the following anywhere on your theme files. Just replace my username with yours.

    <?php echo getFollowers("catswhocode")." followers"; ?>

    Check if a WordPress plugin is active, the easy way – CodeRevolution

    When working with lots and lots of plugins, it can be useful for developers to be able to check if a particular WordPress plugin is active or not. Just read this recipe to find out.

    If you want to check if a WordPress plugin is active, just use the is_plugin_active() function. The function takes a single parameter, which is the path to the plugin, as shown in the example below:

     <?php if (is_plugin_active('plugin-directory/plugin-file.php')) {     //plugin is activated } ?> 

    Easy WordPress pagination without plugins – CodeRevolution

    WP-PageNavi is definitely one of the most popular WordPress plugins and in fact, it is very useful. But did you know that since version 2.1, WordPress had a built-in function called paginate_links(), which can be used to create to paginate your blog without using any plugin? Today, let’s see how to use this handy function to create a pagination for your WordPress blog.

    Simply paste the following code where you want to display your pagination:

     global $wp_query; $total = $wp_query->max_num_pages; // only bother with the rest if we have more than 1 page! if ( $total > 1 )  {      // get the current page      if ( !$current_page = get_query_var('paged') )           $current_page = 1;      // structure of "format" depends on whether we're using pretty permalinks      $format = empty( get_option('permalink_structure') ) ? '&page=%#%' : 'page/%#%/';      echo paginate_links(array(           'base' => get_pagenum_link(1) . '%_%',           'format' => $format,           'current' => $current_page,           'total' => $total,           'mid_size' => 4,           'type' => 'list'      )); } 

    Thanks to Smashing Magazine for the cool tip!

    How To Change The Default WordPress Media Uploads Folder – CodeRevolution

    WordPress used to have an option that allowed users to change the default path of the upload directory to use a custom path for media uploads. The option disappeared after the WordPress 3.5 update.

    This disappointed many bloggers. Mostly because using a custom media uploads directory made it easier to browse media files in one place rather than having to browse in multiple folders by month and year. It also had a small SEO benefit, especially when you host multimedia files such as PDFs.

    Luckily, there is a way you can get around this problem and customize the default media uploads path of your website. Here’s how you can do it.

    Note: Following strategies involve customizing your website’s core files and editing code. Make sure to fully backup your website and files before trying out any of these methods.

    Method #1 – Use A Plugin

    The easiest way to change the default media uploads path is to use the WP Original Media Path plugin.

    Once installed, this plugin will allow you to easily change the default media directory into any path you like.

    For example, your current media uploads path may look like this: http://yourdomain.com/wp-content/uploads. You can customize it to a more professional path like http://yourdomain.com/media using this plugin.

    Keep in mind that this plugin will only change the uploads folder for your future uploads. You’ll have to manually move the media files to the new folder if you want them to appear in the new and updated media path.

    If you decided to move the media files, you can then use the Search & Replace plugin to modify MySQL to make sure your previously published articles find the media files from the new uploads folder.

    Method #2 – Customize WP-Config.php

    The other method is also simple, but it involves editing a core WordPress file.

    First, access the root directory of your WordPress installation using the File Explorer in your web hosting CPanel or using an FTP client. Then find a file named wp-config.php and open the file to edit.

    Then add the following line in the wp-config file:

    define( ‘UPLOADS’, ‘wp-content/’.’media’ );

    This will make all your media uploads go in a folder named “media”. But it will still be inside the “wp-content” folder.

    If you want the uploads to go in a direct folder, like yourdomain.com/media, then use the following code instead:

    define( ‘UPLOADS’, ”.’media’ );

    Also, make sure to add the following code right before the line as well:

    require_once(ABSPATH.’wp-settings.php’);

    This will automatically create a folder in the WordPress directly if it doesn’t exist. Or, you can manually create the folder in the right path using the FTP client.

    Block external requests on your WordPress blog – CodeRevolution

    For some reason, your WordPress blog can send some info to external sources, as such as AUtomattic, the company behind WordPress. Although you don’t really have to worry about it in my opinion, you can block those requests with the following technique.

    To do so, open your wp-config.php file and paste the following code:

    define('WP_HTTP_BLOCK_EXTERNAL', true);

    It will block external requests from that time on. Though, some plugins need external request to work properly. If you experience problems, you can define a whitelist by pasting the code below into wp-config.php. Don’t forget to replace my url by the one needed by the plugin.

    define('WP_ACCESSIBLE_HOSTS', 'CodeRevolution.com');

    This is the last recipe of 2009. Thanks to all of you for your support, and best wishes for 2010!

    Easily display post titles with a custom length – CodeRevolution

    If you want to be able to easily display only the first X characters of your post title, I git something in store that might interest you. Just read this recipe and enjoy!

    The first thing to do is to create the function. Open your functions.php file and paste this code:

      function ODD_title($char) {          $title = get_the_title($post->ID);          $title = substr($title,0,$char);          echo $title; } 

    Now, you can use the function on your theme files. Just pass how many characters you want to display as a parameter. In the following exemple, only the first 20 chars of the title will be displayed:

     <?php ODD_title(20); ?> 

    Thanks to Orange Dev Design for the tip!

    Easily get posts with a specific custom field/value on your WordPress blog – CodeRevolution

    Ever wanted to be able to only get the list of posts which have a specific custom field key as well as a specific value? If yes, just read on. Our friend John Kolbert have this short, but useful recipe for you.

    To achieve this recipe, simply find the loop and add the query_posts() function just above, as in the example below:

     <?php query_posts('meta_key=review_type&meta;_value=movie');  ?> <?php if (have_posts()) : ?> <?php while (have_posts()) : the_post(); ?> 

    You’ll get the list of post having review_type as a custom field key and movie as a value. Just change theses values to fit your needs.

    Credits goes to John Kolbert for this great piece of code!

    Automatically spam comments with a very long url – CodeRevolution

    Spam is definitely a problem for bloggers and most of you probably receive more than 100 spam comments per hour. Here is a simple recipe to automatically mark as spam all comments with an url longer than 50 characters.

    Open your functions.php file and paste the code below in it. This code will automatically mark as spam all comments with an url longer than 50 chars. This can be changed on line 4.

     <?php    function rkv_url_spamcheck( $approved , $commentdata ) {     return ( strlen( $commentdata['comment_author_url'] ) > 50 ) ? 'spam' : $approved;   }    add_filter( 'pre_comment_approved', 'rkv_url_spamcheck', 99, 2 );  ?> 

    Thanks to CSS Tricks for the code snippet!

    Easily remove weird characters from your WordPress database – CodeRevolution

    If your WordPress database is filled with weird characters (For example, if you pasted something from Microsoft Word…) the following recipe will solve the problem by replacing those characters by the correct characters.

    Simply run the following SQL query on your WordPress database, using the command line client or PhpMyAdmin. This will remove weird characters from all your posts and comments.
    Don’t forget to backup your database before using this query.

     UPDATE wp_posts SET post_content = REPLACE(post_content, '“', '“'); UPDATE wp_posts SET post_content = REPLACE(post_content, '”', '”'); UPDATE wp_posts SET post_content = REPLACE(post_content, '’', '’'); UPDATE wp_posts SET post_content = REPLACE(post_content, '‘', '‘'); UPDATE wp_posts SET post_content = REPLACE(post_content, '—', '–'); UPDATE wp_posts SET post_content = REPLACE(post_content, '–', '—'); UPDATE wp_posts SET post_content = REPLACE(post_content, '•', '-'); UPDATE wp_posts SET post_content = REPLACE(post_content, '…', '…');  UPDATE wp_comments SET comment_content = REPLACE(comment_content, '“', '“'); UPDATE wp_comments SET comment_content = REPLACE(comment_content, '”', '”'); UPDATE wp_comments SET comment_content = REPLACE(comment_content, '’', '’'); UPDATE wp_comments SET comment_content = REPLACE(comment_content, '‘', '‘'); UPDATE wp_comments SET comment_content = REPLACE(comment_content, '—', '–'); UPDATE wp_comments SET comment_content = REPLACE(comment_content, '–', '—'); UPDATE wp_comments SET comment_content = REPLACE(comment_content, '•', '-'); UPDATE wp_comments SET comment_content = REPLACE(comment_content, '…', '…'); 

    If you like to know more about WordPress SQL queries, you should have a look to this article.

    Thanks to Jeff Starr for the cool tip!

    Easily embed and share Github gists on your WordPress blog – CodeRevolution

    Github gists are a great way to create and share code snippets, and many developers are using Github. Today, I’m exited to share this very handy code snippet which allow you to embed a Github gist on your blog, simply by pasting the gist url.

    Paste the following code into your functions.php file. Once done, simply paste the URL of a Github gist into a post or page. The gist will be automatically embedded in your blog.

     **  * Usage:  * Paste a gist link into a blog post or page and it will be embedded eg:  * https://gist.github.com/2926827  *  * If a gist has multiple files you can select one using a url in the following format:  * https://gist.github.com/2926827?file=embed-gist.php  */ wp_embed_register_handler( 'gist', '/https://gist.github.com/(d+)(?file=.*)?/i', 'wp_embed_handler_gist' );  function wp_embed_handler_gist( $matches, $attr, $url, $rawattr ) {  	$embed = sprintf( 			'<script src="https://gist.github.com/%1$s.js%2$s"></script>', 			esc_attr($matches[1]), 			esc_attr($matches[2]) 			);  	return apply_filters( 'embed_gist', $embed, $matches, $attr, $url, $rawattr ); } 

    Thanks to Robert O’Rourke for this handy piece of code!

    Automatically refuse spam comments on your WordPress blog – CodeRevolution

    Spam is a nuisance, and you know it. Happilly, WordPress users have Akismet, which help a lot to fight spam. But what about protecting your blog even more? This recipe might help.

    Paste the following code in your functions.php. Comment that contain any of the words contained within the $bad_comment_content array will be automatically rejected.

     function in_comment_post_like($string, $array) {  	foreach($array as $ref) { if(strstr($string, $ref)) { return true; } }  	return false; } function drop_bad_comments() { 	if (!empty($_POST['comment'])) { 		$post_comment_content = $_POST['comment']; 		$lower_case_comment = strtolower($_POST['comment']); 		$bad_comment_content = array( 			'viagra',  			'hydrocodone', 			'hair loss', 			'[url=http',  			'[link=http',  			'xanax', 			'tramadol', 			'russian girls', 			'russian brides', 			'lorazepam', 			'adderall', 			'dexadrine', 			'no prescription', 			'oxycontin', 			'without a prescription', 			'sex pics', 			'family incest', 			'online casinos', 			'online dating', 			'cialis', 			'best forex', 			'amoxicillin' 		); 		if (in_comment_post_like($lower_case_comment, $bad_comment_content)) { 			$comment_box_text = wordwrap(trim($post_comment_content), 80, "n  ", true); 			$txtdrop = fopen('/var/log/httpd/wp_post-logger/nullamatix.com-text-area_dropped.txt', 'a'); 			fwrite($txtdrop, "  --------------n  [COMMENT] = " . $post_comment_content . "n  --------------n"); 			fwrite($txtdrop, "  [SOURCE_IP] = " . $_SERVER['REMOTE_ADDR'] . " @ " . date("F j, Y, g:i a") . "n"); 			fwrite($txtdrop, "  [USERAGENT] = " . $_SERVER['HTTP_USER_AGENT'] . "n"); 			fwrite($txtdrop, "  [REFERER  ] = " . $_SERVER['HTTP_REFERER'] . "n"); 			fwrite($txtdrop, "  [FILE_NAME] = " . $_SERVER['SCRIPT_NAME'] . " - [REQ_URI] = " . $_SERVER['REQUEST_URI'] . "n"); 			fwrite($txtdrop, '--------------**********------------------'."n"); 			header("HTTP/1.1 406 Not Acceptable"); 			header("Status: 406 Not Acceptable"); 			header("Connection: Close"); 			wp_die( __('bang bang.') ); 		} 	} } add_action('init', 'drop_bad_comments'); 

    This recipe have been submitted by Guy. Thanks to him for sharing his tip with the community!

    Automatically redirect to current page after login – CodeRevolution

    When building a site using WordPress, you often need to redirect the user to the login page. Today, I’m going to show you how you can easily redirect the user to the current page after login.

    WordPress have a great function named wp_login_url(). This function displays a link to your dashboard login page. It accept one parameter: an url to redirect after the user successfully logged in. By using get_permalink() as a parameter, you’ll redirect the user to the current page.

     <a href="<?php echo wp_login_url(get_permalink()); ?>" title="Login">Login to view</a> 

    Automatically link Twitter usernames in WordPress – CodeRevolution

    Are you using Twitter a lot? Today’s recipe is a cool piece of code to automatically link Twitter usernames on your posts, pages, and comments.

    Paste the code below into your functions.php file:

     function twtreplace($content) { 	$twtreplace = preg_replace('/([^a-zA-Z0-9-_&])@([0-9a-zA-Z_]+)/',"$1<a href="http://twitter.com/$2" target="_blank" rel="nofollow">@$2</a>",$content); 	return $twtreplace; }  add_filter('the_content', 'twtreplace');    add_filter('comment_text', 'twtreplace'); 

    Once you saved the file all twitter usernames in posts and comments will automatically be linked to their Twitter profiles. Usernames have to be written under the form @username.

    Thanks to ederwp for the tip!

    Automatically add Twitter and Facebook buttons to your posts – CodeRevolution

    Nowadays, most bloggers are using Facebook and Twitter to promote their posts. In today’s recipe, I’m going to show you how you can easily add Twitter and Facebook buttons to the bottom of your posts.

    Paste the code below into your functions.php file, save it, and you’re done.

     function share_this($content){     if(!is_feed() && !is_home()) {         $content .= '<div class="share-this">                     <a href="http://twitter.com/share" class="twitter-share-button" data-count="horizontal">Tweet</a>                     <script type="text/javascript" src="https://platform.twitter.com/widgets.js"></script>                     <div class="facebook-share-button">                         <iframe src="https://www.facebook.com/plugins/like.php?href='. urlencode(get_permalink($post->ID)) .'&amp;layout=button_count&amp;show_faces=false&amp;width=200&amp;action=like&amp;colorscheme=light&amp;height=21" scrolling="no" frameborder="0" style="border:none; overflow:hidden; width:200px; height:21px;" allowTransparency="true"></iframe>                     </div>                 </div>';     }     return $content; } add_action('the_content', 'share_this'); 

    Thanks to Dev7Studios for this awesome recipe!

    Automatically add classes to links generated by next_posts_link and previous_posts_link – CodeRevolution

    By default, the next_posts_link() and previous_posts_link() are generated with no custom class. If you need one for your CSS styling or anything else, here’s a pretty simple way to add the needed class by using a hook.

    Paste the following code in your functions.php file:

     add_filter('next_posts_link_attributes', 'posts_link_attributes'); add_filter('previous_posts_link_attributes', 'posts_link_attributes');  function posts_link_attributes() {     return 'class="myclass"'; } 

    Thanks to CSS Tricks for the function!

    Add private notes to your WordPress blog posts – CodeRevolution

    Sometimes, you may need to leave a private note (Only visible to admins) to a post, but there’s no built-in solution in WordPress to do it. So, here’s a nice hack I use on my blogs.

    Here’s the code you need to add to your functions.php file:

     add_shortcode( 'note', 'sc_note' );  function sc_note( $atts, $content = null ) { 	 if ( current_user_can( 'publish_posts' ) ) 		return '<div class="note">'.$content.'</div>'; 	return ''; } 

    Once done, simply add the following shortcode in your posts:

     [note] This is a personal note that only admins can see! [/note] 

    Note that the note will be displayed with a <div class=”note”></div> tags, so you can use it to give a specific style to your notes!

    Add categories or tags to post programatically – CodeRevolution

    I recently shown you jow you can create a post or a comment programatically, which is very usefull when creating advanced WOrdPress themes or plugins. Today, let’s have a look at another killer snippet: Add categories or tags to a posts, programatically.

    The first thing to do is to create an array of categories id. Once done, you simply have to use the wp_set_object() function, which take 3 parameters: The post id, an array of categories to add to the post, and the taxonomy type (category in this example).

     $category_ids = array(4, 5, 6); wp_set_object_terms( $post_id, $category_ids, 'category'); 

    Adding tags to a post is extremely easy as well. The only difference with the code to add categories is the taxonomy “post_tag” instead of “category”.

      $tag_ids = array(7, 8, 9); wp_set_object_terms( $post_id, $tag_ids, 'post_tag'); 

    Thanks to WPProgrammer for this very cool snippet.

    How to automatically use resized images instead of originals – CodeRevolution

    This script will replace the uploaded image (if bigger than the larger size defined in your settings) by the large image generated by WordPress to save space in your server, and save bandwidth if you link a thumbnail to the original image, like when a lightbox plugin is used.

    Simply paste the following code on your functions.php file and save it. No other action is needed!

     function replace_uploaded_image($image_data) {     // if there is no large image : return     if (!isset($image_data['sizes']['large'])) return $image_data;         // paths to the uploaded image and the large image     $upload_dir = wp_upload_dir();     $uploaded_image_location = $upload_dir['basedir'] . '/' .$image_data['file'];     $large_image_location = $upload_dir['path'] . '/'.$image_data['sizes']['large']['file'];      // delete the uploaded image     unlink($uploaded_image_location);         // rename the large image     rename($large_image_location,$uploaded_image_location);         // update image metadata and return them     $image_data['width'] = $image_data['sizes']['large']['width'];     $image_data['height'] = $image_data['sizes']['large']['height'];     unset($image_data['sizes']['large']);         return $image_data; } add_filter('wp_generate_attachment_metadata','replace_uploaded_image');

    Thanks to Serge Rauber for sharing his great tip with us!

    Add custom links to WordPress admin bar – CodeRevolution

    Introduced in WordPress 3.1, the Admin bar is a new feature that many users like. Today, I’m going to show how you can add custom links to WordPress admin bar.

    To add a custom link to WordPress admin bar, simply paste the following code into your functions.php file. Modify the code as needed to fit your needs.

     function mytheme_admin_bar_render() { 	global $wp_admin_bar; 	$wp_admin_bar->add_menu( array( 		'parent' => 'new-content', // use 'false' for a root menu, or pass the ID of the parent menu 		'id' => 'new_media', // link ID, defaults to a sanitized title value 		'title' => __('Media'), // link title 		'href' => admin_url( 'media-new.php'), // name of file 		'meta' => false // array of any of the following options: array( 'html' => '', 'class' => '', 'onclick' => '', target => '', title => '' ); 	)); } add_action( 'wp_before_admin_bar_render', 'mytheme_admin_bar_render' ); 

    Thanks to Jeff Starr for the cool tip!

    Add a login form on your WordPress Theme – CodeRevolution

    Are you using WordPress as a cms or as a community site? If yes, it can be a cool idea to display a login form in your blog sidebar or on a specific page. Here’s a simple code to do it.

    Nothing hard at all. Simply paste the following code where you’d like to display your login form. (For example, on your blog sidebar, or on a page template)

     <<?php if (!(current_user_can('level_0'))){ ?> <h2>Login</h2> <form action="<?php echo get_option('home'); ?>/wp-login.php" method="post"> <input type="text" name="log" id="log" value="<?php echo wp_specialchars(stripslashes($user_login), 1) ?>" size="20" /> <input type="password" name="pwd" id="pwd" size="20" /> <input type="submit" name="submit" value="Send" class="button" />     <p>        <label for="rememberme"><input name="rememberme" id="rememberme" type="checkbox" checked="checked" value="forever" /> Remember me</label>        <input type="hidden" name="redirect_to" value="<?php echo $_SERVER['REQUEST_URI']; ?>" />     </p> </form> <a href="<?php echo get_option('home'); ?>/wp-login.php?action=lostpassword">Recover password</a> <?php } else { ?> <h2>Logout</h2> <a href="<?php echo wp_logout_url(urlencode($_SERVER['REQUEST_URI'])); ?>">logout</a><br /> <a href="http://XXX/wp-admin/">admin</a> <?php }?> 

    Once saved, your theme will display a login form. Definitely easier and quicker for login!

    Add a favicon to your WordPress blog using a hook – CodeRevolution

    Nowadays, any serious blog have its own favicon. To add yours into WordPress, you can directly edit header.php or you can use a more clean technique, using the power of WordPress hooks.

    Just paste the following into your function.php file, save it, and you’re done.

     function childtheme_favicon() { ?> 	<link rel="shortcut icon" href="<?php echo bloginfo('stylesheet_directory') ?>/images/favicon.png" >  <?php } add_action('wp_head', 'childtheme_favicon');

    Don’t forget to change the favicon url if needed. Also, please note that if the wp_head() function haven’t been implemented in your theme, this recipe will not work.

    By the way, if you’re looking for premium WordPress themes and plugins, just have a look to the dedicated category on CodeRevolutionTV

    “Failed to process response, please try again later.” in the chatbot, while using response streaming

    This error appeared when I had to process a large request with streaming enabled. For example, rewriting a 500-word article shows this error, but a 50-word article doesn’t.
    Fix: It seems the GET method is used when streaming is enabled, making the URL request very long (with the prompt in the URL). This leads to error 414, which points to the URL length exceeding the allowed maximum on the server. I added this in the apache conf file and solved it:
    LimitRequestLine 100000
    LimitRequestFieldSize 100000
    Disabling GZIP to solve streaming and caching issues: to solve this, you can install an alternative compression module on the server called Brotli. It works just as well for caching and does not interfere with streaming.

    How to make Aiomatic Response Streaming work on PHP-FPM with mod_proxy_fcgi

    PHP-FPM with mod_proxy_fcgi needs extra steps for streaming unlike using just APache’s mod_php.
    Add the below code to your httpd.conf file using the Custom HTTPD Configuration section in Direct Admin UI:

    <IfModule mod_proxy_fcgi.c>
        SetEnv no-gzip 1
    </IfModule>
    <IfModule mod_fcgid.c>
        FcgidOutputBufferSize 0
    </IfModule>

    Full Changelog: Aiomatic – Automatic AI Content Writer & Editor, GPT-3 & GPT-4, ChatGPT ChatBot & AI Toolkit

    Aiomatic Full Changelog:

    Version 1.0 Release Date 2022-07-25

    First version released!

    Version 1.0.1 Release Date 2022-10-09

    1. Major new features added to the plugin:
    - Scrape "People Also Asked" questions and add them to the content as related headings
    - Add related royalty free images to the content based on keywords from the AI generated content
    - Add a related YouTube video to the end of the AI generated content
    2. Added a new parameter for the [aiomatic-article] shortcode: static_content - when it is set to "on", the shortcode will be fully replace with the AI generated content

    Version 1.0.2 Release Date 2022-10-20

    1. New ability to append and prepend AI generated content with your own HTML content (spintax and multiple shortcodes supported)
    2. New shortcodes for appending and prepending text: %%random_image[keyword]%% and %%random_video[keyword]%%
    3. Added the ability to use Google Image Search (with Creative Commons flag set) as a royalty free image source

    Version 1.0.3 Release Date 2022-11-13

    1. Added the ability to create AI generated images and add them to the AI generated textual content
    2. New shortcode [aiomatic-image] to generate an AI image
    3. Ability to set AI generated featured images for posts at publish time

    Version 1.0.4 Release Date 2022-11-29

    Added a new high quality OpenAI GPT-3 model to the plugin: text-davinci-003, which will work similar to text-davinci-002, but will provide superior content quality

    Version 1.0.5 Release Date 2022-12-07

    Created and added support in the plugin for AiomaticAPI (aiomaticapi.com), which will provide an alternative API for OpenAI's API for generating AI text and images

    Version 1.0.6 Release Date 2022-12-09

    Added support for AI generated post title creation

    Version 1.0.7 Release Date 2022-12-18

    1. Added support for content rewriting and modifying using AI
    2. Improved content quality of AI writer, when long content is generated also containing HTML markup

    Version 1.0.8 Release Date 2022-12-23

    1. Added the ability to edit post title and content using different prompts (using the automatic AI text editor)
    2. Calls to AiomaticAPI now use POST requests

    Version 1.0.9 Release Date 2023-01-11

    1. Added playground capability to the backend of the plugin to generated text or images and to edit text
    2. Added new shortcodes: 
    - [aiomatic-text-completion-form] to add a form similar to OpenAI's Text Completion Playground, to generate AI written text based on prompts.
    - [aiomatic-text-editing-form] to add a form similar to OpenAI's Playground, to generate AI written text based on prompts.
    - [aiomatic-image-generator-form] to add a form to generate AI images based on prompts.

    Version 1.1.0 Release Date 2023-01-12

    1. Added new shortcodes: 
    - [aiomatic-chat-form] to add a form similar to ChatGPT (however, please note that this chat is NOT ChatGPT, it is a custom chatbot built on top of OpenAI API.
    2. Added playground for the new chat feature

    Version 1.1.1 Release Date 2023-01-17

    Added the ability to generate post categories and tags using the AI content writer feature of the plugin

    Version 1.1.2 Release Date 2023-01-28

    Added the ability to create images using Stable Diffusion models from Stability.AI

    Version 1.1.3 Release Date 2023-02-07

    1. Added the ability to the chatbot shortcode to be "content aware" and read post content where it is displayed
    2. Added a new chatbot mode, to return images instead of text
    3. Added the ability to add a static welcome message to the chatbot
    4. Other fixes and improvements

    Version 1.1.4 Release Date 2023-02-09

    1. Added usage and statistics module, API usage statistics will be soon available in the plugin
    2. Added usage limits feature, to limit the usage of specific features of the plugin for logged in users or for guests
    3. Reorganized playground backend menu
    4. Added the ability to add multiple OpenAI/AiomaticAPI/Stability.AI API keys in settings
    5. Other fixes and improvements

    Version 1.1.5 Release Date 2023-02-14

    1. Persistent chat update - users will be able to continue their previous chat
    2. Persistent chats will be able to be managed in admin menu -> 'Limits and Statistics' menu -> 'Persistent Chat Logs' tab
    3. Added the ability to retry failed OpenAI API calls a give number of times

    Version 1.1.6 Release Date 2023-02-16

    Added the "Single AI Post Creator" feature, to manually create AI written posts

    Version 1.1.7 Release Date 2023-02-24

    Added the ability to train and fine-tune your own models from OpenAI and to use them in the plugin, in chatbots, content creation or editing. Supported models for finetuning are: ada, curie, babbage, davinci

    Version 1.1.8 Release Date 2023-02-28

    Added the ability to add embeddings to the AI models, to teach it about anything (your business, products or anything else), in a quick and simple way

    Version 1.1.9 Release Date 2023-03-02

    Added the ability to use the new ChatGPT models OpenAI just released (gpt-3.5-turbo and gpt-3.5-turbo-0301)

    Version 1.2.0 Release Date 2023-03-03

    1. Added ChatGPT model support also for AiomaticAPI
    2. Fixed many reported bugs and issues

    Version 1.2.1 Release Date 2023-03-07

    1. Added usage graphs
    2. Ability to delete all usage logs
    3. Ability to download persistent chat logs
    4. Ability to upload CSV files to the Model Fine-Tuning "Dataset Manual Entry" page
    5. Ability to upload embeddings from CSV files
    6. Ability to delete multiple embeddings at the same time/delete all embeddings/download embeddings to CSV file
    7. Ability to edit the prompts used for the heading creation from articles
    8. PHP 8.2 support added

    Version 1.2.2 Release Date 2023-03-09

    Added an alternative bulk post publishing method, topic based article generator - should provide high quality long articles (when article is over 2000 words). Articles can have relevant headings, images and YouTube videos

    Version 1.2.3 Release Date 2023-03-13

    1. Added HyperParams support to AI model fine-tuning 
    2. Added text moderation shortcode + playground
    3. Added audio transcribing and translating shortcode + playground

    Version 1.2.4 Release Date 2023-03-16

    1. Added Internet Search Ability for the AI Writer -> https://www.youtube.com/watch?v=5XjYjXG_uF8
    2. Added Microsoft Translator support
    3. Added DeepL Translator support
    4. Editable rule IDs in Bulk AI Post Creator
    5. Fixed shortcodes sending unwanted content to the AI writer
    6. Improved builtin tokenizer for better parsing of text sent to the AI writer
    7. Fixed some PHP related warnings

    Version 1.2.5 Release Date 2023-03-17

    1. Added the ability to manually edit in bulk existing posts using the AI content editor
    2. You can also edit posts in the following way: add a AI generated featured image to them, add AI generated text to their beginning or end, rewrite existing posts in any way imaginable (by changing the AI prompt). You can paraphrase, translate, summarize, fix grammar or rewrite existing posts in any way imaginable

    Version 1.2.6 Release Date 2023-03-19

    Added gpt-4, gpt-4-0314, gpt-4-32k and gpt-4-32k-0314 models. Please check the notes from above for GPT-4 API usage.

    Version 1.2.7 Release Date 2023-03-23

    1. Chatbot reworked, added menu where default options can be customized with a live preview
    2. Chatbot new features added: 
    - copy text if chat bubble is clicked
    - change chatbot form styling, text colors, background colors, form size, placeholder and submit button text 
    - scroll to the bottom of the form if new messages added
    - persistent chat support improved
    - predefined chat templates support added
    3. Fixed fatal error at plugin activation, in some rare cases
    4. Added a new feature to moderate the submitted text to the chatbot using OpenAI's AI text moderation endpoint
    5. Many more fixes and improvements

    Version 1.2.8 Release Date 2023-03-24

    Added the ability to add the chatbot globally, to the site's entire front end or back end
    Fixed scheduling

    Version 1.2.9 Release Date 2023-03-27

    1. User aware chatbot support added - Chatbot can learn details about the currently logged in user: username, email, ID, nice name, first name, last name
    2. Added the ability to limit the maximum message length sent to the chatbot
    3. Added the ability to save/load templates in the "Single AI Post Creator" menu
    4. Added support for embeddings using AiomaticAPI

    Version 1.3.0 Release Date 2023-03-28

    Custom shortcode creator feature: 
      - create partial or full AI generated prompts and send them to the AI content writer
      - create content parts which will be able to be used and appended in the title/content/categories/tags of created posts

    Version 1.3.1 Release Date 2023-03-29

    Added the ability to use the new [aicontent]Add_Your_Prompt_Here[/aicontent] in any of other plugins I created - update with huge "synergy" potential

    Version 1.3.2 Release Date 2023-04-03

    1. Added AI Assistant in Gutenberg Editor and Classic Editor
    2. Added the ability to select multiple categories for posts in Bulk AI Post Creator menu
    3. Added the ability to limit the number of replaced keywords in the "Affiliate Keyword Replacer" menu
    4. Added the ability to create custom post types in "Single AI Post Creator"
    5. French translation added

    Version 1.3.3 Release Date 2023-04-06

    1. Added the ability to set "Banned" and "Required" words for Bulk Post Generator, in the plugin's "Main Settings" menu
    2. Added a new tab in the Media Library: "Aiomatic Images" - it can be used to generate high detail AI images using Stable Diffusion or Dall-E 2
    3. Added category selection options in Dataset Converter from Model Training

    Version 1.3.4 Release Date 2023-04-11

    Added the ability to automatically add related internal links to posts created using the Bulk Post Creator

    Version 1.3.5 Release Date 2023-04-13

    Added the ability to automatically add internal links automatically also to existing or newly published posts, from the 'AI Content Editor' menu

    Version 1.3.6 Release Date 2023-04-20

    1. New AI Forms feature: create your own custom AI forms and assign a custom prompt for each
    2. New usage limits rules: logged in user role based
    3. Added the ability to use topic based shortcode in custom fields and custom taxonomies
    4. Fixed AI Assistant in case multiple text selections were made in the editor

    Version 1.3.7 Release Date 2023-04-21

    1. Added embeddings and internet access support for AI Forms and AI Assistant
    2. Fixed AI Forms not displaying correctly in some cases
    3. Added a highly detailed chatbot tutorial video in settings

    Version 1.3.8 Release Date 2023-04-26

    1. Added ValueSERP API to provide an alternative for Google Search results and related questions importing
    2. Added integration in the 'Limits and Statistic' menu of Aiomatic with the "Ultimate Membership Pro" plugin
    3. Reworked chat and other front end systems to better display errors - be sure to clear the cache in your browser to make the plugin function correctly after this update
    4. Fixed shortcodes to not fire also in the admin backend
    5. [aicontent] nested shortcode support added. Now you can create multiple [aicontent] shortcodes one within another, to create AI generated prompts. For nested shortcodes, you must add a number to each embedded shortcode. This will help to differentiate them by the plugin. Example of usage: [aicontent]what is the brightest [aicontent12]say the word "color"[/aicontent12]?[/aicontent] - Tutorial: https://coderevolution.ro/knowledge-base/faq/how-to-create-ai-generated-content-from-any-plugin-built-by-coderevolution/
    6. Fixes and improvements

    Version 1.3.9 Release Date 2023-05-02

    1. AI Post Editor now can also edit excerpt (not just title and content)
    2. Ability to change the default settings (temperature, top_p, etc) of the [aicontent] shortcode, from the plugin's 'Main Settings' menu
    3. static_content shortcode parameters now are compatible also with Elementor, will update also Elementor shortcode widgets
    4. Added 2 shortcodes to display remaining AI credits usage for users: [aiomatic-user-remaining-credits-bar] and [aiomatic-user-remaining-credits-text]

    Version 1.4.0 Release Date 2023-05-04

    1. Added a new automatic commenting module for the 'AI Content Editor' menu
    2. Added 3 new stability.ai (Stable Diffusion) models: esrgan-v1-x2plus, stable-diffusion-xl-beta-v2-2-2 and stable-diffusion-x4-latent-upscaler
    3. Improved AI Content Editor's functionality, fixed multiple bugs

    Version 1.4.1 Release Date 2023-05-10

    1. Added the ability to automatically process using the "AI Content Editor" also posts which are saved as draft or pending (not only the published ones).
    2. Added the ability to automatically add AI generated SEO Meta Descriptions to posts. Automatically integrating also with Yoast SEO, All In One SEO and Rank Math SEO plugins
    3. Added the ability to add a "Table of Contents" section to content created using the "Bulk AI Post Creator"
    4. Added the ability to add a "Q&A" section to content created using the "Bulk AI Post Creator"
    5. Added multiple "Tutorial" tabs in plugin menus, to help learn the functionality of the plugin
    6. Made the 'Bulk AI Post Creator' rules a bit more intuitive
    7. Added more detailed server info and diagnostics in the 'Activity and Logging' menu
    8. Removed plugin's dependency on Font Awesome icons
    9. Fixed rare issue with translations
    10. Updated French translations
    11. More bugfixes and improvements

    Version 1.4.2 Release Date 2023-05-12

    1. Major Update! Added support for Microsoft Azure OpenAI API deployments to be used as an alternative to OpenAI API (Azure OpenAI API currently benefits of a speed boost when compared to "regular" OpenAI API, as it is not so popular
    2. Added more tutorials to plugin menus
    3. Updated translations

    Version 1.4.3 Release Date 2023-05-18

    1. Added the ability to use ElevenLabs.io or Google Text-to-Speech to make the AI Chatbot talk!
    2. Added a microphone voice input feature for the Chatbot
    3. Added a custom Chatbot shortcode builder to the plugin, as the Chatbot shortcode has many parameters, a builder is now needed to allow easier setup for this shortcode
    4. Added embeddings support for Azure OpenAI API
    5. Added automatic deployment listing for Azure, no need to add any more created deployments in plugin settings
    6. Added the ability to schedule the AI editing of existing posts using a WordPress cron job (wp_cron) or an external cron job

    Version 1.4.4 Release Date 2023-05-26

    1. Added the ability to use D-ID to add a face and voice to your chatbot
    2. Added the ability to automatically add to posts also manually entered URLs (not just internal URLs from website)
    3. Added usage limits feature for text-to-speech APIs
    4. Improved the post publishing workflow in the Bulk AI Post Creator
    5. Added support for Chatbot Extensions - Extend the abilities of the chatbot with different functionalities
    6. First Chatbot Extension added: allow the chatbot to send emails
    7. Fixed some SEO description creation issues in some rare cases

    Version 1.4.5 Release Date 2023-05-30

    1. Added the ability to assign AI generated categories and tags to posts edited by the AI Content Editor
    2. Enabled chatbot HTML responses (clickable links and much more)
    3. Added the ability to remove JavaScript from chatbot's HTML responses, to prevent hacking and abuse
    4. Added the ability to save persistent chatbot messages also for not logged in visitors, based on their IP address
    5. Added the ability to not create inexistent categories in Bulk AI Post Creator
    6. Added Russian translation files

    Version 1.4.6 Release Date 2023-06-13

    1. Added a major new feature: "YouTube Videos to Blog Posts" (use the title and transcript/closed caption of any YouTube video to create a rich AI generated blog post on your website)
    2. Added HTML field support for AI forms - add your custom Ads or HTML code to the AI forms
    3. Added a new ability to automatically write AI generated responses to comments left by users of your site
    4. Removed references to the Aiomatic plugin's name from the HTML of the website when the plugin is active (while using default plugin setup)
    5. Automatically translating Stability.AI prompts to English, as this API does not understand non-English languages at the moment
    6. Laid the foundation in the plugin for many more new features, coming soon!

    Version 1.4.7 Release Date 2023-06-14

    Update to match latest OpenAI API Updates: added support for gpt-3.5-turbo-16k models, updated pricing of models based on new OpenAI pricing structure

    Version 1.4.8 Release Date 2023-06-21

    1. Added a new feature to the plugin: Amazon Product Roundup Post Creator
    2. Default model changed from text-davinci-003 to gpt-3.5-turbo
    3. Added an option to send a notification email when topics/titles/YouTube video URLs/Amazon keywords are depleted (for all, an article was already created)
    4. Fixes and enhancements

    Version 1.4.9 Release Date 2023-06-22

    1. Added the ability to write AI generated image attachment details, like "Alternative Text", "Caption", "Description" and "Title"
    2. Added to the 'Single AI Post Creator' the ability to 'Run The Content Prompt Separately For Each Section'. This will allow long form content to be created, as for each section title, a different API call will be made, constructing the resulting article
    3. Added a 'More Features' plugin menu, documenting the 'hidden gems' of the plugin (features of which you might not be aware of)

    Version 1.5.0 Release Date 2023-06-30

    1. Added Spintax support for all prompt fields
    2. Added the ability to prepend and append text to each prompt which is sent to the AI writer by each prompt ('Global Prompt Options' settings in rule settings)
    3. Added the ability to use the %%video_descripton%% and %%video_url%% shortcodes in prompts for YouTube to posts, to get the video's description and URL
    4. Added the ability to append and prepend YouTube video details (title, description, URL, caption) to the created posts
    5. Added the ability to automatically write using AI taxonomy description fields (for tags, categories or custom taxonomies + WooCommerce tags, categories and attributes supported)
    6. Fixed issue with embeddings saving
    7. Single post editor update - new AI generated content features added in Classic Editor and Gutenberg

    Version 1.5.1 Release Date 2023-07-06

    1. Great improvements in royalty free image searching: 
       - Added the ability to select royalty free image source search order
       - Added the ability to randomize royalty free image source order
       - Added the ability to select the top X eligible images from results
       - Added the ability to translate image search keywords to English
       - Added the ability to create single/multi keyword searches for images
       - Added the ability to randomize royalty free image result order
       - Added the ability to add an image to each generated section heading
       - Added the ability to select the location of the image (top or bottom of heading)
    2. Added support to Azure OpenAI API for the 16k and 0613 models
    3. Added automatic processing of taxonomy description writing for newly added taxonomies
    4. Added the ability to only save AI chat logs (not to also display them to users as persistent chat logs)
    5. Improved some of the default prompts used
    6. Updated translations

    Version 1.5.2 Release Date 2023-07-08

    1. Added the ability to duplicate AI Forms
    2. Added the ability to index existing posts/pages/products/custom post types and automatically create embeddings from them
    3. Added the ability to manually create embeddings from existing posts/pages/products/custom post types
    4. Added the ability to automatically create embeddings for newly published posts/pages/products
    5. Added full shortcode support for the chatbot first message. Now the chatbot can greet the users by their username, can send info about the current post (title, content, excerpt) and many more!

    Version 1.5.3 Release Date 2023-07-11

    1. Added the ability to automatically write SEO descriptions for newly created taxonomies (working with Yoast SEO, All In One SEO and Rank Math)
    2. Fixed taxonomy description writer when Rank Math SEO is active
    3. Fixed embeddings automatic creatore breaking publishing in other plugins
    4. Added AMP support for embedded YouTube videos
    5. Added to the 'Affiliate Keyword Replacer' the ability to match also partial words
    6. Added support for zh_TW language to the Links Keyword Extractor
    7. Added the ability to disable automatic AI image generator prompt translation to English
    8. Added the ability to draft posts first and automatically publish them immediately after
    9. Fixed AI forms sample responses not rendering HTML
    

    Version 1.5.4 Release Date 2023-07-14

    1. Automatically modify content to bypass AI content detectors
    2. Added the ability to not run rules from Bulk AI Post Creator on specific days
    3. Fixed AI comment replier not working correctly in some cases
    4. Added the ability to assign posts created by the Bulk AI Post Creator to random users as post authors
    5. Added the ability to use the %%topic%% shortcode in the 'Post Sections List' settings field
    

    Version 1.5.5 Release Date 2023-07-19

    1. Fixed all reported bugs and issues
    2. Added more documentation
    3. Updated translations
    

    Version 1.5.6 Release Date 2023-07-26

    1. Added the ability to import videos from a specific YouTube channel (by YouTube handle URL) and to automatically create articles from the listed videos
    2. Added the ability to use AI to extract relevant keywords from the content (for internal linking feature)
    3. Added a cool feature for developers, use filters to modify the input and output of the AI. Added filter list: aiomatic_is_ai_query_allowed, aiomatic_modify_ai_query, aiomatic_modify_ai_reply, aiomatic_modify_ai_error, aiomatic_modify_ai_embeddings, aiomatic_is_ai_edit_allowed, aiomatic_modify_ai_edit_instruction, aiomatic_modify_ai_edit_content, aiomatic_is_ai_image_allowed, aiomatic_modify_ai_image_query, aiomatic_modify_ai_voice_text, aiomatic_modify_ai_video_text, aiomatic_embeddings_reply_raw, aiomatic_ai_reply_raw, aiomatic_edit_reply_raw, aiomatic_dalle_reply_raw, aiomatic_stability_reply_raw
    4. Another cool feature for developers: support added for OpenAI "functions" calling to Chat
    5. Added the ability to overwrite existing posts created by the Aiomatic plugin
    6. Fixed pagination issue with persistent chat logs
    7. Fixed image duplication issue with Pixabay royalty free images
    8. Restricted internet access only to content creator for posts (title, tags and categories will have internet access disabled)
    9. Updated French translations
    

    Version 1.5.6.2 Release Date 2023-07-28

    Fixed Google Translate integration, working with latest changes

    Version 1.5.7 Release Date 2023-09-01

    0. Back to work from my Summer Vacation! :)
    1. Changed OpenAI model training (finetuning) API to the new version OpenAI released, added support for gpt-3.5-turbo finetuning
    2. Stable Diffusion updated models and API nodes
    3. Updated Azure Image API endpoint usage
    4. Updated Azure API versions
    5. Fixed Azure model listing issue
    6. Try to get full content from AI, when only partial content is returned
    7. Fixed all bugs and issues reported during August
    

    Version 1.5.8 Release Date 2023-09-07

    1. Update - added API response streaming support for chatbot - start displaying also partial responses in chatbot, ChatGPT style - resulting in faster overall response times
    2. Stable Diffusion added the ability to select image style presets, from: 3d-model analog-film anime cinematic comic-book digital-art enhance fantasy-art isometric line-art low-poly modeling-compound neon-punk origami photographic pixel-art tile-texture
    3. Fixed Stable Diffusion issue when adding some image generator parameters
    4. Fixed other issues and bugs
    

    Version 1.5.9 Release Date 2023-09-13

    1. [Bulk AI Post Creator] Added the ability to generate post titles from popular SERP results related to topics
    2. Added the ability to use AI to improve YouTube video search accuracy for embedded videos
    3. Fixed D-ID text encoding
    4. Added an option to add nofollow attribute to the automatically added external links
    5. Added the ability to download all chat logs in a single file
    6. Added the ability to use AI to select a featured image for the published posts, from the default featured images list
    7. Added an option to use a different API key for each API request (even when creating the same post) - only when multiple OpenAI/AiomaticAPI/Azure API keys are entered in settings
    8. Added the ability to use user custom meta field data in prompts, using this format %%~user_meta_slug~%%
    9. Added the ability to change more ElevenLabs API parameters from plugin settings
    

    Version 1.6.0 Release Date 2023-09-19

    1. Added the new gpt-3.5-turbo-instruct model
    2. Added bbPress support, the plugin can create topics for forums and replies for topics in Bulk AI Post Creator
    3. Added the ability to define the parent ID of created posts in Bulk AI Post Creator
    4. Added the ability to selectively disable/enable embeddings and internet access for Bulk AI Post Creator title/sections/content/intro/outro/qa/excerpt AI prompts
    5. Fixed Polylang integration with created default categories of posts
    6. Fixed category generator issue, when sub-categories existed with the same name
    7. Added the ability to delete all persistent chat logs with a single button
    

    Version 1.6.1 Release Date 2023-09-22

    1. Added a Major New Feature to the plugin: "Amazon Product Review Writer"
    2. Added the ability to the Amazon Product Roundup Writer to get products by comma separated ASIN list (example: B07RZ74VLR,B07RX6FBFR)
    3. Added more product info related shortcodes to Amazon Product Roundup writer, like product customer reviews, price and much more
    3. Fixed rule post counts, if a specific rule was deleted
    

    Version 1.6.2 Release Date 2023-09-27

    1. Now the plugin will check also items imported from RSS feeds for duplicate content and skip them if already processed
    2. Fixed gpt-3.5-turbo-instruct model token count length
    3. Replaced the aiomatic_session_id cookie name with a random name for each site
    4. Greatly reduced the plugin's footprint from the website's HTML content
    

    Version 1.6.3 Release Date 2023-10-04

    1. New feature: CSV File AI Post Writer
    2. Minor fixes and improvements
    

    Version 1.6.4 Release Date 2023-10-12

    1. WP-CLI integration of Aiomatic - now you can create AI content directly from WP-CLI: https://www.youtube.com/watch?v=V3AZxQM9irg
    2. Added the ability to assign AI selected featured images to posts, using the "AI Content Editor"
    3. Added the ability to add multiple shortcodes with the static_content parameter set, the plugin will be able to parse them separately
    4. Added a button in the 'Activity and Logging' menu -> 'Maintenance' tab, to delete all existing rules from the plugin
    5. Allow setting of default values for the AI Post Writer prompts and model
    6. Fixed multiple AI Forms not working when added to the same page, now any number of forms on the same page will work
    7. PHP 8.2 compatibility fixes
    8. Updated the auto-update module
    

    Version 1.6.5 Release Date 2023-10-18

    1. Addeed the ability to not link Amazon product review and roundup post headings to the Amazon affiliate URL
    2. Fixed fatal error on latest PHP version
    

    Version 1.6.6 Release Date 2023-10-28

    1. Added chatbot personas, coming with 76 built-in personas with names, roles and high quality avatars! Details: https://www.youtube.com/watch?v=V0aiz-b1mdQ
    2. Added the ability to display an avatar, name and role (description) for the AI chat assistant
    3. Added the ability to define a static CSV separator character in CSV AI Post Generator
    4. Added the ability to enable the AI Assistant also for TinyMCE forms embedded on the front end of your site
    5. Added a series of actions which can be hooked into, to process the AI response in your own custom code. You will find them in the aiomatic-ajax-actions.php file
    6. Added the ability to copy locally to the server also Amazon images
    7. Added a new menu to the plugin: "Aiomatic Extensions" - here available extensions will be listed which will further improve the plugin's functionality
    8. Optimized default AI prompts for multiple parts of the plugin
    9. Added the ability to edit only content using the AI Content Editor, which matches a maximum character count
    10. Added the ability to add HTML tables to created articles. Details: https://www.youtube.com/watch?v=pbm-T-Kzsys
    11. Added the ability to add a product comparison table to the AI Product Roundup feature of the plugin
    12. More chatbot & general improvements & fixes
    

    Version 1.6.7 Release Date 2023-10-31

    1. Added a new shortcode: [aiomatic-persona-selector] - it will be able to add a Chatbot persona selector screen on the front end, visitors can click on the chatbot persona with which they want to chat. Usage: [aiomatic-persona-selector ai_personas="comma separated chatbot persona ID list"]
    2. Added the ability to define also the first message of the AI chatbot, in the AI Chatbot Personas
    3. Added the ability to use multiple chatbots on the same page (fix)
    4. Added the ability to select resize quality of images which are resized
    5. Added the ability to use AI Function calling while in API response streaming mode
    6. Fixed max_retry count in case of API failure for chatbot response streaming mode
    7. Fixed newlines not being added correctly to chat, when response streaming was used in the chatbot
    

    Version 1.6.8 Release Date 2023-11-03

    1. Added chatbot color themes (you can select between: light, dark, midnight, sunrise, ocean, forest, winter, twilight, desert, cosmic, rose, tropical, facebook, twitter, instagram, whatsapp, linkedin)
    2. Added the ability to save and manage custom color themes
    3. Added the ability to add an "AI Compliance Text", displayed at the bottom of the chatbot
    4. Added the ability to limit the maximum number of chat messages which are sent to the chatbot context window
    5. Updated Stable Diffusion model list
    6. Added more styling options for the AI chatbot (input text font color, input placeholder font color, persona name font color, persona role font color)
    7. Updated translation file
    

    Version 1.6.9 Release Date 2023-11-07

    1. Added a new "Advanced" mode for the "Single AI Post Creator": now it is able to publish content similar to the "Bulk AI Post Creator" features. Details: https://youtu.be/rlDtQ8qgGYg
    2. Added Dall-E 3 and Dall-E 3 HD support for AI image generator
    3. Added new AI models recently released by OpenAI: gpt-4-1106-preview, gpt-4-vision-preview, gpt-3.5-turbo-1106
    4. Updated models available for fine-tuning
    5. Updated pricing, based on latest OpenAI changes
    6. Fixed duplicate checking for Amazon roundup and review posts
    7. Fixed AI Assistant when multiple wp_editor instances were used on the page
    8. Added a new button to the chatbot, allowing users to clear chat conversation
    9. Many small bugs fixed
    

    Version 1.7.0 Release Date 2023-11-09

    1. Added support for Dall-E 3 and latest GPT-4 models also for AiomaticAPI
    2. Added the ability to use Google "Custom Search API" to allow the AI to get internet search results
    3. Added the ability to search for Royalty Free Images (from configured sources) directly in the Media Library
    4. Full support for WordPress 6.4
    

    Version 1.7.1 Release Date 2023-11-15

    1. Added support for AI Vision within the chatbot. Now you can upload images to the chatbot and the AI will understand the contents of the image and will be able to analyze it. Keep in mind that this is still an experimental feature!
    2. New method to get Advanced Single AI Post Creator title and content, using background processing. Overall, should improve reliability of this feature, also on slower servers
    3. Copy images locally also from AI Post Editor
    4. Added support for "Featured Image from URL" (FIFU) plugin , to not copy featured images of posts locally to your server
    5. Added support for Qdrant.tech as an alternative embeddings provider (besides of Pinecone.io)
    6. Improved Stable Diffusion image names, for better SEO
    7. Fixed Amazon S3 uploading for Stable Diffusion images
    8. Fixed editor issues in Advanced Single AI Post Creator
    9. Added Stable Diffusion support for the AI Assistant Image Creator
    10. AI generated and royalty free images will be automatically compressed, to save disk space and decrease page load speed
    11. Secured chatbot from some vulnerabilities
    

    Version 1.7.2 Release Date 2023-11-22

    1. Added AI Assistants API full support (similar to ChatGPT's custom GPTs) to be used Everywhere in the plugin where you can use AI models - create your own AI Assistants, manage them from the plugin and instruct them to create the most specialized content. Tutorial video: https://www.youtube.com/watch?v=x2mkjdOZI9Y
    2. Added AI Assistants Manager menu
    3. Added Support for OpenAI Text-to-Speech
    4. Renamed Aiomatic's prior existing feature "AI Assistant" to "Content Wizard" to not create confusion with OpenAI's new AI Assistants API
    5. Fixed critical issue when installing the plugin for the first time on a server
    6. AI Automatic Content Linking of posts no longer creates links to the edited post (self links)
    

    Version 1.7.3 Release Date 2023-11-23

    1. Locally copied images now also create a Media Library entry, for easier management
    2. Added support for Amazon S3 compatible storages for image storage: CloudFlare R2, Digital Ocean Spaces, Wasabi - this is active only while using the "Amazon S3 Storage" plugin extension:
    
    Aiomatic Extension: Amazon S3 Storage
    3. Fixed an issue with AI Bulk Post Creator crashing in some rare cases 4. Added support to call also OpenAI API using proxies define in the plugin's settings 5. Added support for more shortcodes in the AI Post Content Writer

    Version 1.7.4 Release Date 2023-11-24

    1. Added the ability to the AI Post Editor to limit the AI generated SEO meta description to a maximum character length
    2. Added the ability to the AI Post Editor to copy SEO meta description from post excerpt instead of creating it
    3. Added support for "The SEO Framework" plugin, to the SEO meta description generator
    4. Added the ability to the Bulk AI Post Creator to process titles/topics in order of entry (not random)
    5. Added the ability to select a different text-to-speech voice for each created chatbot
    

    Version 1.7.5 Release Date 2023-11-28

    1. "D-ID Streaming" support added for the chatbot - now you can also chat with a talking avatar, details: https://www.youtube.com/watch?v=oaquPhw3GrQ
    2. Added the ability to change the "Please select a prompt" text from the chatbot
    3. Added the ability to define the "Keyword Replacer" rules to be case sensitive
    4. Added support for text-to-speech and text-to-video in chatbot response streaming mode
    5. Fixed Chatbot submit button being enabled faster than text-to-speech response appeared
    6. Fixed Single some AI Post Creator assistant related issues
    7. Added support for text-to-speech/video to typewriter effect and response streaming modes
    

    Version 1.7.6 Release Date 2023-12-01

    1. Added support for Anthropic Claude AI to generate content, besides of OpenAI specific models.
    2. Added WordPress shortcode support to the AI Chatbot Context settings field
    3. Affiliate Keyword Replacer new feature: don't open links in a new tab
    4. Added the ability to define the D-ID streaming image avatar for different chatbots separately (using a shortcode parameter)
    

    Version 1.7.7 Release Date 2023-12-28

    1. Added AI OmniBlocks - major update to allow the creation of AI execution queues, with seamless integration of AI text, images, royalty free images, scraping, RSS importing, social sharing, Amazon product details, YouTube captions importing, Google Search Results scraping and much more! Check details: https://www.youtube.com/watch?v=vuyssxmxP_Y
    2. Added the ability to customize AI Forms output placeholder text
    3. Added the ability to transform new lines to line breaks in AI generated content
    4. Fixed AI written comments username not being set correctly
    5. Added the ability to use AI image selector even if images are added by Media Gallery ID
    6. Added the ability to not run Keyword Replaces feature on specific post IDs
    7. Added latest AI models also to Microsoft Azure OpenAI API
    8. Fixed AiomaticAPI Dall-E 3 custom image sizes not working
    9. Added the ability to do a second translation for posts created by the Bulk AI Post Creator
    

    Version 1.7.8 Release Date 2024-01-03

    0. Happy New Year!
    1. Removed DaVinci and other legacy models, as OpenAI deprecated them and they will not function any more.
    

    Version 1.7.9 Release Date 2024-01-10

    1. Added support for Google Gemini AI and Bison models
    2. Added support for OpenRouter API, where you will be able to access over 75 different AI models
    3. Made Anthropic Claude models freely available
    4. Added a chatbot shortcode parameter to disable D-ID streaming: disable_streaming="on"
    5. Added the [aicontent] shortcode also as a globally available WordPress shortcode (before it was usable only in prompts)
    

    Version 1.8.0 Release Date 2024-01-12

    1. Added the ability to the AI Content Editor to automatically convert posts to audio/video (using text-to-speech or D-ID text-to-video) and automatically append it to the post content: https://youtu.be/T4sDTTu8i3Y
    2. Added new OmniBlocks: Post to Pinterest, Post to Instagram, Post to Google My Business
    3. Added new OmniBlock templates: RSS Feed Based Article, URL Scraping Based Article and SERP Search Based Article
    

    Version 1.8.1 Release Date 2024-01-16

    1. OmniBlocks now can save generated content to files, locally on your server's storage. Find them in the 'OmniBlocks Files' tab, from OmniBlocks menu
    2. New OmniBlocks added: "Load From File" and "Save To File"
    3. OmniBlock Files can be also uploaded to Cloud Storage, to: Amazon S3, Wasabi, CloudFlare R2, Digital Ocean Spaces, if you have the "Aiomatic Extension: Amazon S3 Storage" plugin active
    4. AI model temperature can now be set to a maximum of 2 instead of 1
    5. Fixed multiple reported issues
    

    Version 1.8.2 Release Date 2024-01-19

    1. Added the ability to create html files in OmniBlock File blocks
    2. Improved RSS scraper and SERP scraper OmniBlocks: now they can scrape found links, limit character count of scraped data and parse the scraped data using an AI prompt (to analyze the scraped data)
    3. Fixed OmniBlock displaying on low resolution devices
    4. Fixed issues appearing in rule settings in some cases when assistants were selected
    5. Fixed OmniBlock rule duplication
    6. Improved OmniBlock shortcode buttons
    

    Version 1.8.3 Release Date 2024-01-26

    1. Added a new OmniBlock type to create Stable Diffusion Videos based on image URLs
    2. Added a new OmniBlock type to call any Webhook, adds maximum flexibility
    3. Added the ability to use AI Vision in the 'AI Post Editor' (using the post's featured image), when editing or adding content/categories/tags/comments/SEO meta description to posts
    4. Added the ability to copy generated AI podcast audio/video files to configured cloud storages
    5. Added the ability to display the embedded chatbot on your site only on specific days or daily, only between specific hours
    6. Added a column in post listing view, to see which post was edited by Aiomatic and which not
    7. Fixed future posts duplication issue
    8. Fixed Stable Diffusion image OmniBlock results
    

    Version 1.8.4 Release Date 2024-01-27

    1. Added new OpenAI chat models: gpt-4-0125-preview, gpt-4-turbo-preview and gpt-3.5-turbo-0125
    2. Added new OpenAI embedding models: text-embedding-3-small and text-embedding-3-large
    

    Version 1.8.5 Release Date 2024-02-07

    1. Added support for Perplexity AI models
    2. Added the ability to set Pinecone Namespaces
    3. Added embeddings support for Google MakerSuite
    4. Added Dall-E 3 support for Azure OpenAI API
    5. Added the ability to use SpinRewriter's Humanize AI API
    6. Added the ability to define an image seed parameter for Stable Diffusion images
    7. Added support for processing XLSX files in 'Load File Content' OmniBlock
    8. Fixed OmniBlock local image copying
    9. Updated Stable Diffusion image models
    

    Version 1.8.6 Release Date 2024-02-16

    1. Improved Section Based Bulk AI Post Creator - randomly select images and videos for headings (not both at the same time)
    2. Added a new OmniBlock template "Amazon Single Product Review"
    3. Added a new OmniBlock template "Single Product Review by URL"
    4. Added new settings fields for the "AI Text Foreach Line Of Input" OmniBlock: maximum lines to process, text to append and prepend to each block
    5. Fixed a very old issue when all checkboxes could end up checked in rule settings
    6. Added the ability to create pdf files from OmniBlocks, using this Extension: https://coderevolution.ro/product/aiomatic-extension-pdf-file-storage-and-parsing/
    7. Added the ability to read from pdf files in OmniBlocks, using the above extension
    

    Version 1.8.7 Release Date 2024-02-23

    1. Added the ability to edit existing featured images of posts, using Stability.AI image editor feature (great value for SEO)
    2. Added the ability to edit images found in post content, using Stability.AI image editor feature
    3. Added new OmniBlock templates: create a detailed food recipe, create a motivational quote post
    4. Added a new shortcode for the Website Scraper OmniBlock, to display scraped data in plain text format (remove HTML)
    5. Added the ability to the Amazon Product Listing OmniBlock to specify a random number of products to be included in results (3-5)
    6. Added the ability to the Post Creator OmniBlock to set also post slug
    

    Version 1.8.8 Release Date 2024-03-01

    1. Added the ability to upload a PDF files to the chatbot and to converse based on the pdf file's contents
    2. Fixed Stable Diffusion Image Editor not working in case of some image sizes
    3. Added streaming support for OpenRouter models
    4. Added streaming support for Google Gemini Pro models
    5. Fixed OpenAI AI Assistant creation/editing
    6. Added the ability to manually trigger the writing using AI of existing taxonomy descriptions and SEO descriptions
    7. Added support for gpt-3.5-turbo-0125 in AI model training
    

    Version 1.8.9 Release Date 2024-03-07

    1. Added new Anthropic Claude 3 models: claude-3-opus-20240229 and claude-3-sonnet-20240229
    2. Added the ability to the chatbot to create a set of predefined messages/questions which the chatbot will ask/say before the AI takes over the conversation
    3. Added support for hierarhical taxonomy creation
    4. Added the ability to enable/disable text-to-speech/video on separate chatbots
    5. Added the ability to use vector database storage for chatbot messages persistent storage
    6. Fixed custom field creation issue when AI content contained commas, in OmniBlocks
    7. Fixed custom taxonomy creation in Save To WordPress Post OmniBlock
    8. Fixes for chatbot persistent chats
    

    Version 1.9.0 Release Date 2024-03-14

    1. Added the ability to manually run OmniBlocks and to preview their results
    2. Added a new OmniBlock type to trigger an OmniBlock rule using Webhooks and to send parameters to the rule using webhook parameters
    3. Added the ability to embed the chatbot on remote websites, using iframes
    4. Added a new OmniBlock type to extract related NLP entities for specific keywords (get Wiki links and entity details), using TextRazor
    5. Added to the "Save Post" OmniBlock the ability to update an existing post, by ID
    6. Added the ability to sort scraped product list from Amazon, in OmniBlocks
    7. Added the ability to 'Simulate Post Editing' for the 'Existing Content Editor' from the 'AI Content Editor' menu, to check which posts will be affected by editing
    8. Added the ability to set a custom comment date range for newly created AI comments from the 'AI Content Editor'
    9. Added Anthropic Claude claude-3-haiku-20240307 model
    10. Added the ability to the user aware chatbot to know the user role (using the %%user_role%% shortcode)
    

    Version 1.9.1 Release Date 2024-03-22

    1. Added the ability to enter the AI Chatbot into "God Mode" - which will allow it to call WordPress functions directly. Using this EXPERIMENTAL functionality, the chatbot will be able to directly manage posts, change site settings and get site data. Usable only when an admin user is logged in. Warning! Experimental feature, backup your site if using it!
    2. Added %%video_id%% to the YouTube video shortcodes
    3. Added the ability to restrict the list of domains where the remote chatbot can be embedded
    4. Added Arabic in the DeepL translator
    5. Added the ability to style also the voice recording button in the chatbot
    6. Added support for function calling with response parsing also in streaming mode for OpenAI API
    7. Added support for function calling for OpenAI Assistants API
    8. AI Taxonomy Description Writer: add the ability to process also taxonomies which already have a description
    9. Fixed OmniBlock template loading/parsing
    10. Fixed some visual selector issues in scraping
    

    Version 1.9.2 Release Date 2024-03-29

    1. Added a set of Chatbot Extensions, which will allow the chatbot to create AI images (Dall-E or Stable Diffusion), query Amazon product details, scrape websites. More Extensions will come soon!
    2. Added support for gemini-1.5-pro from Google
    3. Added support for response streaming for AI forms
    4. Added support response streaming using OpenAI Assistants
    5. Added support for God Mode chatbot when streaming using Assistants
    6. Added an 'AI Content Detector' and a 'Plagiarism Checker' shortcode (and playground variants), using PlagiarismCheck API 
    7. Added the ability to define a list of Azure Deployment names (for each AI model you are using in the plugin), as Azure will not allow automatic listing of deployments starting from April
    8. Fixed automatic internal links breaking article HTML structure in some rare cases
    9. Updated translations
    

    Version 1.9.3 Release Date 2024-04-05

    1. Added many more new Chatbot extensions: Stable Diffusion Video Generator, RSS feed parser, Google SERP parser, YouTube Video Captions scraper, YouTube video search, Royalty Free Image search, Email sender, Webhook caller, Social posters for: Facebook (Meta), Twitter (X), Instagram, Pinterest, Google My Business, YouTube Community, Reddit, LinkedIn
    2. Added a new method to detect which keywords were already processed in OmniBlocks
    3. Added a new feature to OmniBlocks to cache results scraped from RSS feeds or websites (don't scrape URLs twice if same URL is requested in different scraper OmniBlocks)
    4. Fixed auto linking feature
    5. Fixing an issue where raw HTML code would be generated and added inside the post content created by the AI
    6. Improved AI chatbot message parsing for modern AI models
    

    Version 1.9.4 Release Date 2024-04-12

    1. Added a new feature of the plugin "Aiomatic Quick Setup & Tutorial" to allow new users to better understand how to set up and use the plugin
    2. Encrypt AI prompt in the HTML content of AI forms, to secure it
    3. Added support for Amazon API Aiomatic extension - now Aiomatic can use the official Amazon API to get product info from Amazon: https://coderevolution.ro/product/aiomatic-extension-amazon-api/
    4. Added support to specify a 2 letter country code in Google Search OmniBlock, to get results relevant to that country
    5. Fixed AI Forms streaming issue
    6. Content Wizard: calling the AI commands no longer requires text selection
    7. Content Wizard: added the ability to use shortcodes to get currently edited post title, content, excerpt and any other post data (including custom fields and custom taxonomies)
    8. Security related update, fixed a reported security vulnerability
    

    Version 1.9.5 Release Date 2024-04-19

    1. Added new OpenAI models: gpt-4-turbo-2024-04-09 and gpt-4-turbo
    2. Added Dall-E 3 image type in AI Forms
    3. OmniBlocks: the 'Load Post Content' OmniBlock now can load posts not just by Post ID, but also by query search. It can also remember the posts which it already loaded
    4. Chatbot styling update: added an option to change the color of the voice input button when it is active
    5. Added the ability to create multiple remote chatbot instances. Each will be able to be customized with a separate chatbot shortcode
    6. Added a 'PDF Chat' switch to the chatbot builder, to enable/disable pdf chat for individual chatbots
    7. More Amazon product details available when using the Amazon API to query products. News shortcodes: %%product_score%%, %%product_edition%%, %%product_language%%, %%product_pages_count%%, %%product_publication_date%%, %%product_contributors%%, %%product_manufacturer%%, %%product_binding%%, %%product_product_group%%, %%product_rating%%, %%product_ean%%, %%product_part_no%%, %%product_model%%, %%product_warranty%%, %%product_color%%, %%product_is_adult%%, %%product_dimensions%%, %%product_date%%, %%product_size%%, %%product_unit_count%%
    8. Fixed an issue when using AI response streaming with long chat messages
    9. Fixed an issue where the 'Edit Post Now' button was not working in Gutenberg
    

    Version 1.9.6 Release Date 2024-04-25

    1. Added the ability to load remote files in Load File OmniBlocks (no need to upload the file to server)
    2. Added more OmniBlock templates - mostly ideas for manually running OmniBlocks
    3. God Mode OmniBlock added - to call WordPress functions directly from the AI (Experimental)
    4. Download chatbot logs as PDF also, not just as TXT
    5. Create .doc files in the "Save To File" OmniBlocks
    6. "Load File" OmniBlock - allow the loading of a random file or of the latest file which was created
    7. Added the ability to automatically scrape website content by URL and create automatically Embeddings using the scraped data
    8. Added NeuronWriter integration and a new OmniBlock type: Related NLP Entities - NeuronWriter
    9. Fixed Pinecone 404 error in case of some new environments
    

    Version 1.9.7 Release Date 2024-05-01

    1. Fixed layout and CSS issues
    2. Fixed a security issue
    3. Bulk AI Post Creator: fixed creation of duplicated posts if the keyword list contained duplicated keywords
    4. Added more OmniBlock templates
    5. Added the ability to scrape raw HTML in Scrape Sites OmniBlock
    6. Fixed Scrape Sites OmniBlock, now properly returns the plain text of scraped HTML content
    

    Version 1.9.8 Release Date 2024-05-02

    1. Added support for 'YouTube to Blog Posts' to search for YouTube videos also based on keywords (not just video URLs)
    2. Added the ability to edit post slugs in the 'AI Content Editor'
    3. Added support for Stable Diffusion 3.0 models: Stable Diffusion Core, Stable Diffusion 3.0 and Stable Diffusion 3.0 Turbo
    4. Pinecone Serverless Indexes support improved
    5. Small fixes and enhancements
    6. PHP 8.* enhancements
    7. Optimized garbage collection for optimal memory usage
    8. Better error handling in the plugin
    

    Version 1.9.9 Release Date 2024-05-03

    1. Code changes and preparations for the next plugin major update
    2. Small fixes of issues
    

    Version 2.0.0 Release Date 2024-05-03

    1. Reworked the admin backend user interface, now it has a modern design
    2. Merged the 'Bulk AI Post Creator', 'YouTube to Posts', 'Amazon Product Roundup', 'Amazon Product Review', 'CSV to Posts' tabs into a single menu with multiple tabs: 'Bulk AI Post Creators'
    3. Added the ability to set a placeholder text for AI Forms input fields
    4. Added more textual tutorials and tutorial videos
    5. Added the ability to manually erase the processed keywords list for a specific OmniBlocks rule
    6. Fixed embedded remote chatbots showing the entire site instead of just the chatbot
    7. Added the ability for AI Assistants to set the first message for the chatbot
    8. Added the ability for AI Assistants to set AI model temperature and top_p
    9. Updated AI Assistants API to v2, following recent changes from the OpenAI's Assistants API - the File Search tool will now use vector stores
    10. Added the ability to set maximum input/prompt token count for AI Assistants
    

    Version 2.0.1 Release Date 2024-05-10

    1. Added the ability to add charts and graphs to created content or to AI edited content, using the [aiomatic_charts] shortcode
    2. Updated Perplexity AI models list
    3. Fixed image resizing related issue
    4. Fixed content formatting related issue
    5. Fixed ElevenLabs voice selection for the chatbot
    

    Version 2.0.2 Release Date 2024-05-13

    1. Added support for the new gpt-4o and gpt-4o-2024-05-13 models (new OpenAI flagship models, which offer great quality and are cheaper and faster than GPT-4 Turbo)
    2. Added Midjourney image generator support to the plugin, using GoAPI
    3. Added the ability to Bulk AI Post Creators in Section/Topic posting mode to use the previously created content or the last section content in the prompt, using the %%article_so_far%% and %%last_section_content%% shortcodes
    4. Added the ability to automatically create WooCommerce product reviews using the AI Content Editor feature of the plugin
    5. Fixed some logging issues
    6. Improved AI generated images names and SEO title/alt tags when copied to the Media Library
    

    Version 2.0.3 Release Date 2024-05-17

    1. Added "AI Batch Requests" feature to the plugin - allowing you to run batch AI requests using OpenAI API, over a period of 24 hours, with 50% reduced price and much larger rate limits
    2. Added a HTML IDs to divs of AI Forms, to be able to customize the look and feel of each AI form
    3. Fixed Gutenberg AI Content Wizard adding content only after a click was made outside of the edited Gutenberg block
    

    Version 2.0.4 Release Date 2024-05-23

    1. Added support for the newly released Google Gemini models: gemini-1.5-flash-latest, gemini-1.5-pro-latest. Also added support for the older but more stable gemini-1.0-pro 
    2. Added support for the new Google embedding model: text-embedding-004
    3. AI Content Editor now can add a "Table of Contents" to posts, based on headings it finds in the content
    4. Added a Batch Requests result parser, to easily understand Batch results
    5. Added the ability to set OmniBlocks as "Disabled" and skip their processing in the OmniBlock queue
    6. Added "Run AI Content Editor" menus to WordPress post editor menu
    7. Added support for AI Vision for AI Assistants
    8. Added a new integration with "Internal Link Juicer" plugin, which can now be used for internal linking of articles. In this case, Aiomatic will create keywords for which will be used in the internal linking process
    9. Fixed a rare issue where the Bulk AI Post Creator was not accessible in the admin menu
    

    Version 2.0.5 Release Date 2024-05-30

    1. Added HuggingFace.co support, using this service, you will be able to use a huge list of AI models
    2. Added a new OmniBlock type: Jump To OmniBlock ID - allowing the execution to jump to a specific OmniBlock ID and to continue from there
    3. Added the ability to disable AI Internet Access or AI Embeddings from the Chatbot Builder
    4. Added the ability to display a button in the chatbot interface, so users can enable/disable internet access for each chatbot interaction separately
    5. Added an option to keep AI created comments/product reviews for manual review (do not auto publish them)
    6. Fixed AI model Fine-Tuning file uploading
    7. AI Forms improvements: added a confirmation when deleting form fields, added the ability to duplicate fields, ability to move fields up/down, option to collapse form input fields for easier navigation
    8. Allow chatbot users to activate/deactivate voice/video output for chatbot
    9. Added the ability to auto-open the globally added chatbot at page load
    10. Added the ability for chatbot users to stop the AI response message writing
    11. Fixed AI Assistants avatar image adding
    12. Fixed Bulk AI Post Creator issues from previous version
    13. Added support also for the Pro version of Internal Link Juicer
    14. Auto-playing of text-to-speech chatbot voice now can be stopped by users
    

    Version 2.0.6 Release Date 2024-06-07

    1. Allow AI Assistants to use fine-tuned models
    2. Added a new Exit OmniBlock, which will end the OmniBlock execution queue - useful when combined with IF and Jump OmniBlocks
    3. Added support for the Browser Speech API to the chatbot (as a free text-to-speech alternative)
    4. Added the ability to auto submit Voice Input for the chatbot, allowing uninterrupted vocal conversation with it
    5. Added the ability to restrict a specific user ID list from using the AI (entered manually)
    6. Added the ability to the chatbot to read more file types uploaded by users (csv, pdf, txt,..) with AI Assistants + File Search (Retrieval) enabled
    7. Added the ability to add custom HTML headers and footers of the chatbot
    8. Added support for AI Assistants in "AI Generated SEO Fields"
    9. Added the ability to save prompt templates in "AI Generated SEO Fields"
    10. Added the ability to import/export Single AI Post Creator templates
    

    Version 2.0.7 Release Date 2024-06-15

    1. Added the ability to add multiple global chatbots to the site, based on different filtering rules - from the 'Website Injection' AI Chatbot tab (example: add a chatbot to a specific category, another chatbot to another category, etc.)
    2. Global chatbot injection rules for the default global chatbot, to filter when the globally injected chatbot will appear, by: WordPress Content (categories, post types), Languages, User Roles, URL, Devices, Operating Systems, Browsers, IP Addresses
    3. Remove pre code tags which was frequently added by the AI writer
    4. Added the ability to reorder and move rules up/down in Bulk AI Post Creator and OmniBlock
    5. Added to the 'Single AI Post Creator' the ability to create Custom Fields using AI generated content
    6. Added the ability to create External WooCommerce products from Amazon Product Review menu (Bulk AI Post Creators)
    7. Added the ability to set a sound effect when a message is sent in the chatbot and another sound effect when a message is received
    8. Added the ability to set a custom chatbot shortcode to be displayed when the chatbot is globally injected to the website (customize globally added chatbot)
    9. Added the ability to add custom CSS to chatbots
    10. Added the ability to set a response delay for the chatbot responses - which can also be set to random (to simulate human writing)
    11. Added the ability to rate limit chatbot message count (set max message count for a specific time frame, in seconds)
    12. Fixed Amazon product direct importing, to match latest changes
    13. Added the ability to add a custom ElevenLabs voice ID
    

    Version 2.0.8 Release Date 2024-06-21

    1. Added claude-3-5-sonnet-20240620 - Anthropic's new flagship model, whith best capabilities and also with reduced price
    2. Added support for Ollama local LLM, which will allow you to run open-source large language models (LLMs) locally on your machine, which can be used also in Aiomatic, for free!
    3. Added a new 'Bulk AI Post Creator' to create Listicle articles
    4. NeuronWriter OmniBlock, added support for entities listing
    5. Complete usage reset on UMP plan upgrade downgrade and renewal
    6. Added the ability to define different PDF upload page count for different membership levels (from the 'Limits and Statistics' menu)
    7. Added the ability to filter 'AI Usage Limits' by user ID - allows setting a total token count generated per time period for each individual user
    8. Added the ability to delete usage logs for a selected user name - this adds also the ability to manually do credit refills for select users
    9. Created a public API provided by Aiomatic - you can list AI models, generate text, images and embeddings using Aiomatic's REST API
    

    Version 2.0.9 Release Date 2024-06-27

    1. Added the ability to mark posts as edited / not edited in bulk
    2. Added the ability to change Aiomatic edited status on single posts, in Gutenberg and also in the Classic Editor
    3. Update to match latest Stable Diffusion models and engines - added stable-diffusion-ultra, stable-diffusion-3-0-medium, stable-diffusion-3-0-turbo and stable-diffusion-3-0-large
    4. The 'text' API endpoint now displays input/output tokens, in the input_tokens and output_tokens response fields
    5. Added a 'Download' button next to the result in AI Image Forms, to save generated images locally to user's computer
    6. Added a 'Copy' button next to the result in AI Text Forms, to copy generated text to the clipboard
    7. Made the 'Show Advanced Form Options For Users' and 'Show WP Rich Text Editor Input For Form AI Results' available for each AI Form separately
    8. AI Forms styling related fixes
    

    Version 2.1.0 Release Date 2024-07-04

    1. Added the ability to set custom user role access restrictions for any of the menus of the plugin - allow specific user roles to get access only to Single AI Post Creator, OmniBlocks, etc.
    2. Added a Text-To-Speech OmniBlock (OpenAI TTS), to create audio transcripts of text
    3. Added the ability to create Custom Fields and Custom Taxonomies in the AI Content Editor
    4. Added a feature for the AI Content Editor to insert new AI generated content inside the existing post (not just prepend or append)
    5. Allow the querying of a select Amazon product category (besides of ASIN and keyword searches) - if the 'Aiomatic Extension: Amazon API' plugin is also installed and active
    6. Added the ability to enable/disable the 'Copy' and 'Download' buttons from AI Forms results
    7. Added an optional character counter below a text field for AI results
    8. Added web scraping support for AI Forms (user enters URL and website content gets scraped and used in the AI Form prompt)
    9. Allow to set a character limit for the text/textarea/url/url scraper/number/email fields in AI Forms (to avoid spam)
    10. Fixed chatbot return strings when using response streaming
    11. Improved post random publish times feature in Bulk AI Post Creator - now you can set also dynamic start/end dates, like: now, 1 day ago, -2 years
    12. Tweaked Amazon Product Roundup & Product Review default 'Post Content' prompts, to make the call-to-action links more visible
    

    Version 2.1.1 Release Date 2024-07-12

    1. Added a new OmniBlock type to define a list of random text lines to be used (with Spintax support)
    2. Added the ability to set a delay between processing of Bulk Edited Posts
    3. Add support for HuggingFace AI Inference Endpoints, to allow the plugin to run also HuggingFace models which are > 10B in size
    4. Extended the PAA questions feature of the plugin, so it will be able to be used from multiple locations from the Bulk AI Post Creators - using the %%related_questions_KEYWORD%% shortcode
    5. Added the [aiomatic-internet-search keyword="dog food"] shortcode to help manually visualize the Internet Search Results, which are used in the "Internet Access" feature of the plugin
    6. Added the ability to auto populate AI Form fields based on predefined values
    7. Envato Purchase Code related update, the plugin can be used at its full potential only after purchase code activation
    8. Fixed AI internet access and embeddings not working in some rare cases
    9. Fixed issue with AI Forms header not being able to be hidden
    10. Cumulative update to fix multiple issues and bugs
    

    Version 2.1.2 Release Date 2024-07-18

    1. Added the ability to resize chatbot bubbles, scale them at full size or dynamic size (based on text length)
    2. Added the ability to align user or AI chatbot bubbles to left, right or center
    3. Added the ability to define an avatar also for the user of the chatbot
    4. Added the ability to show user/AI assistant avatars in the chatbot conversation
    5. Added an expiration feature for files uploaded by users in the AI chatbot (AI Vision or PDF Upload) - this feature can also be used independently, by manually setting an expiration date for Media Library items
    6. Added the ability to append/prepend content using the AI Post Editor not just to the post content, but also to the post title and post excerpt
    7. Added the ability to prepend or to append static content to the AI content generated in the 'AI Content Completion' part of the 'AI Content Editor'
    8. Allow setting of advanced AI settings (like temperature, top_p, frequency penalty, presence penalty) with 2 decimals
    9. Removed the Legacy email sending chatbot extension, now it is replaced by the modern, AI function based email sending extension
    10. Fixed a reported vulnerability - update to this version is recommended
    

    Version 2.1.3 Release Date 2024-07-18

    1. Added the new gpt-4o-mini and gpt-4o-mini-2024-07-18 models from OpenAI 
    2. Replaced gpt-3.5-turbo models which was used as the default model around the plugin with gpt-4o-mini, as it is much cheaper and more capable
    

    Version 2.1.4 Release Date 2024-07-26

    1. Added the ability to use the avatar from the logged in user's account, as the chatbot user avatar
    2. Added the ability to manually refresh the OpenRouter AI model list
    3. Added support for the Unsplash API to query more royalty free images
    4. Added presence penalty and frequency penalty support for AI Content Editor
    5. Improved generated content formatting in the Single and Bulk AI Post Creators
    6. Improved generated content formatting in the chatbot
    

    Version 2.1.5 Release Date 2024-08-02

    1. AI Content Editor: added the ability to transform audio files to text using OpenAI's Whisper model
    2. Added support for Groq AI
    3. Added support for base64 encoded pdf files
    4. Added for the topic based Bulk AI Post Creator the ability to import data for post topics from RSS feeds and txt documents
    5. Updated Perplexity AI model list, added new Llama 3.1 models
    

    Version 2.1.6 Release Date 2024-08-09

    1. Added support for AI Content Editor templates - allowing quick selection of multiple ways how to edit different posts
    2. Added the ability to define multiple automatic AI Content Editors, editing different content (post types, categories, tags), in different ways (using different prompts or different operations)
    3. Added support for the new gpt-4o-2024-08-06 model
    4. Added support for training the gpt-4o-mini model
    5. Improvements to user interface and admin menu
    6. Code refactoring, for consistency
    7. Updated translations
    

    Version 2.1.7 Release Date 2024-08-26

    1. Improved API Key rotation in case a key is rate limited for all AI API service providers
    2. Added support for the chatgpt-4o-latest model from OpenAI
    3. Added support for AI image creation (OpenAI, Stable Diffusion and Midjourney) and royalty free image creation, to the [aicontent] shortcode
    4. Added support for the new llama-3.1-sonar-huge-128k-online model in Perplexity AI
    5. Fixed statistics issues appearing in some rare cases
    6. Fixed Media Library extension issues when the SSL certificate was not valid on the server
    7. Fixed Stable Diffusion image editing in case of some image types
    8. Fixed SQL injection vulnerabilities
    

    Version 2.1.8 Release Date 2024-09-13

    1. Added new OpenAI reasoning models: o1-preview, o1-preview-2024-09-12, o1-mini and o1-mini-2024-09-12 - give them a try, they are useful in coding and other technical queries (but still in beta)
    2. Added new Default Chatbot Personas
    3. Added support for Azure Text-to-Video Streaming (as a D-ID alternative)
    4. Added "Internet Search" OmniBlock
    5. Improved [aicontent] shortcode, now it is able to process other shortcodes inside of it
    6. Added the ability to the [aicontent] shortcode to use the new repeat_for_each_line parameter, to repeat the prompt sent to the shortcode for each line of this parameter. You can get the current line from inside the prompt, using the %%current_line%% shortcode
    7. Removed deprecated AI models: gpt-3.5-turbo-0301, gpt-3.5-turbo-0613 and gpt-3.5-turbo-16k-0613
    8. AI Content Editor - added the ability to filter automatically edited posts by author user ID
    9. Fixed chatbot auto scroll to bottom on new message not working any more on new Chrome versions
    10. Improved Bulk AI Post Creator image prompt processing when AI generated images are used
    11. Removed unwanted ```html from AI generated texts
    12. Fixed blank titles being created on some rare servers in Bulk AI Post Creators and OmniBlocks
    13. Fixed logging and statistics error
    

    Version 2.1.9 Release Date 2024-09-27

    1. Added support for Replicate Flux AI image models. Go and play with Flux, it's really nice! (other AI image models available: bytedance, stabilityai, black forest labs, ai forever, datacte, fofr, tstramer, playgroundai, lucataco, batouresearch, adirik, nightmareai)
    2. Added support for AI Forms visual themes
    3. [aiomatic-text-editing-form] improvements, now it can get a predefined prompt, which should be used to edit the user input. Also, more parameters were added to this shortcode: prompt, edit_placeholder, instruction_placeholder, result_placeholder, submit_text, enable_copy, enable_speech
    4. Fixed internal links not appearing in some cases
    5. Added the ability to 'Create Post' OmniBlock to skip posts which are already published with the same title
    

    Version 2.2.0 Release Date 2024-10-05

    1. Added the ability to store AI prompts on OpenAI's part for different modules of the plugin (chatbot, forms, AI Content Editor, Bulk AI Post Creators or Globally). This stored data can be used for custom model training, model distillation or evaluations
    2. Automatic comment/review writer improvements in user name generator and comment source IP address
    3. Added more API options for Replicate AI models
    4. Added the ability to show a real time waveform animation, each time the chatbot speaks
    5. Added support for the latest omni-moderation-latest text moderation model
    6. Fixed rare fatal issue at first plugin install
    7. Fixed an incompatibility with the WoodMart theme
    

    Version 2.2.1 Release Date 2024-10-17

    1. Added support for Azure OpenAI Assistants API
    2. Added support for Ollama embedding models, check available models, here: https://ollama.com/search?c=embedding
    3. Added AI Vision (image recognition) support for Ollama, you can check AI models supporting vision, here: https://ollama.com/search?c=vision
    4. Added Tool Calling support for Ollama, you can check AI models supporting tool calls (function calls), here: https://ollama.com/search?c=tools
    5. Added new Google AI model: gemini-1.5-flash-8b-latest
    6. Added support for Google Gemini AI models Vision feature
    7. Added support for Anthropic Claude AI models Vision feature
    8. Added support for Groq AI models Vision feature
    9. Added support for OpenRouter AI models Vision feature
    10. Added support for Azure OpenAI models Vision feature
    11. Added Groq new 'preview' models (including llama 3.2 family models)
    12. Added support for o1 family models in Azure OpenAI API
    13. Added the ability to select the used Azure OpenAI API version
    14. Bulk AI Post Creator - YouTube to Posts module, allow to get videos from YouTube playlists
    15. Fixed chatbot text-to-speech and text-to-video, no longer including also HTML tags, only plain text
    

    Version 2.2.2 Release Date 2024-10-25

    1. Ollama embeddings now work with more models
    2. Fixed Anthropic Claude streaming
    3. Added new Anthropic Claude Sonnet model: claude-3-5-sonnet-20241022
    4. Added the ability to hide Aiomatic's features on the single page/post editor
    5. On deactivation, the plugin will prompt about purchase code deactivation (revoking)
    6. On deactivation, the plugin will be able to remove also its internal data (settings)
    7. More parameters can be passed to Replicate Flux API
    8. Fixed the [aicontent] shortcode renderer mechanism, it will no longer render other shortcodes on the page if the [aicontent] shortcode is not found in the content
    9. Fixed error in AI Forms when combined with some browsers
    10. Updated translations
    

    Version 2.2.3 Release Date 2024-11-01

    1. Added AI content writer integration for Elementor Text Editor and Headlines widgets
    2. Fixed Azure Assistants not working if some special model deployment names were used
    3. Added the ability to set the default AI model which will be used for requests
    4. Sorted OpenRouter model list alphabetically
    5. Various fixes and improvements
    

    Version 2.2.4 Release Date 2024-11-08

    1. Added support for X.AI API - the grok-beta model is available (with streaming and tool call support)
    2. Added support for Nvidia AI language models
    3. New DIY OmniBlock type - add your own custom PHP code in a WordPress filter and execute it in the OmniBlock sequence, getting results and parsing (filter name template: aiomatic_diy_omniblock_OMNIBLOCKID)
    4. Added more OmniBlock default templates
    5. WordPress 6.7 compatibility
    6. Added the ability to filter OmniBlock templates listing by category
    7. Added a new OmniBlock type: Plain Text OmniBlock, which can hold textual values or be used to process shortcodes and Spintax (supports nested shortcodes also, to import content generated by other of CodeRevolution's plugins)
    8. Allow assignation of custom namespaces to created embeddings
    9. Allow the usage of different namespaces for embeddings in different parts of the plugin (to add different sets of extra knowledge to content creators, different chatbot, content editors, etc)
    10. User aware embeddings - you can use additional shortcodes in embeddings, to get data specific to current user
    11. Added the ability to automatically index embeddings from newly published post comments/product reviews
    12. AI Forms new input field type: file upload - allow users to upload files and the AI will be able to analyze them and parse their content. Supported file types: all textual file types, including txt, json and pdf
    13. AI Forms more new input field types added: color, range, date, time, datetime, month, week selectors
    14. User aware and content aware AI Forms - you can use additional shortcodes in AI Forms prompts, to get data specific to current user or to currently viewed post
    15. Added the new Anthropic Claude model: claude-3-5-haiku-20241022
    16. Added a Prompt Library to the AI Playground, it contains a large list of useful prompts you can try
    17. Added a Model Comparison Tool to the AI Playground, allowing you to test and compare any AI model
    18. Royalty free image attribution text now can be used in content creation prompts
    19. Added support for Bing SERP API - for AI Internet Results and Related Searches
    20. Added support for Serper.dev API - for AI Internet Results and Related Searches
    21. Added support for SpaceSerp API - for AI Internet Results
    22. Added support for Google Programmable Search Engine API for Royalty Free Images search
    23. Added support for tools/function calling for Groq AI models
    24. D-ID talking avatar now loads much faster and also in a much more reliable way
    25. Removed "The Best Spinner" from supported article spinners list, this service is not available any more
    

    Version 2.2.5 Release Date 2024-11-15

    1. New chatbot multi conversation feature: keep chat history in a side panel like chat GPT does, so when a user returns they can access their previous conversations and carry on the chat - allow to start a new conversation, select which conversation to continue or delete old conversations
    2. Added a new chatbot Lead Capture module and a new chatbot 'Lead Capture' extension - these will allow the chatbot to capture leads from users and store them in the database. Find it in the 'Lead Capture' tab from chatbot settings menu
    3. Added a chatbot GDPR notice before usage is allowed - privacy policy overlay (can be configured in settings) - to comply with data gathering regulations, especially when using lead capture
    4. Added the ability for chatbot users to manually edit chat messages from the chatbot conversation history (can be enabled for user message, chatbot messages or both)
    5. Updated GoAPI integration, now it can create also StableDiffusion images (besides of Midjourney images)
    6. Integrated with the Restrict Content Pro membership plugin
    7. Added a filter for each API service, to insert user's own OpenAI/Openrouter/other AI services API keys (use the 'aiomatic_APIPROVIDER_api_key' filter). Example: aiomatic_openai_api_key
    8. Added many more Action Hooks and Filters to add the possibility to the community to develop custom extensions for Aiomatic
    9. Added the ability to set the chatbot max response token count in settings
    

    Version 2.2.6 Release Date 2024-11-20

    1. Added the ability to add multiple bots (with different personas/names/avatar and knowledge) to a single chatbot - you can ask and discuss with each bot separately, by typing in the chat the name of the bot, like: @BotName
    2. Added the ability to convert chatbot personas to AI Assistants and vice versa
    3. Chatbot personas now have also an AI model assigned
    4. Improved chatbot backend settings menus
    5. Added the ability to block user IPs from using the AI, from the 'Limits & Statistics' menu
    6. Get SERP results using DuckDuckGo scraping (free way)
    7. User aware embeddings namespace names (allow to add different sets of custom knowledge to chatbots based on currently logged in user)
    8. Added the ability to hide all tutorial videos from the plugin's admin menu (new checkbox in 'General Settings' tab)
    9. Added the ability to set blocked words, which will be filtered out from the chatbot input
    10. More work on the AI detection prevention features
    11. Updated translation file
    

    Version 2.2.7 Release Date 2024-11-28

    1. Added a new feature to the chatbot, allowing to set "Workflows". Based on predefined events, the chatbot will do actions: send hardcoded messages to the user, append custom text to the AI system prompt, redirect to another workflow or end conversation - this opens up endless possibilities
    2. Added a new chatbot extension "AI Generate Reasoning" - this will allow any AI model in the chatbot to recall other AI models and generate a "reasoning" text using them, similarly like ChatGPT o1-preview models function
    3. Added the ability to select the order and priority of the SERP APIs which will be used for AI Internet Search
    4. Added the latest OpenAI model: gpt-4o-2024-11-20
    5. Added the ability to set Conversation Starters for the chatbot - a set of initial messages which will be able to be clicked and will disappear after the first user message
    6. Added Ideogram support for AI image creation
    7. Added support for AI response streaming when using AiomaticAPI
    8. Added the ability to set the typewriting speed of the chatbot
    9. More AI Content Detection Prevention features
    10. Fixed an issue with saving AI Forms on Firefox browser
    11. Chatbot users can navigate between older messages they sent, using the up/down arrow keys, now the chatbot remembers old messages and allows their resending
    12. Chatbot fixes and enhancements
    13. AI writer token window related improvements
    14. Fixed chatbot reasoning issues
    15. Fixed chatbot image displaying issues when response streaming was enabled
    

    Version 2.2.8 Release Date 2024-12-06

    1. Added new chatbot workflow triggers "On post ID", "On post type", 'On category ID" for the chatbot
    2. Added the ability to query different social networks for Rich Embeds and add them to articles (currently supported: YouTube, X (Twitter), Instagram, Pinterest)
    3. Added the ability to change the chatbot top avatar, conversation avatar and global chatbot open icon sizes
    4. Greatly improved the quality of the AI Content Editor when processing Gutenberg blocks
    5. Automatic external links - use AI to automatically select the best matching URL for the link, from SERP results
    6. Allow a custom list of Chatbot Extensions to be selected and enabled for custom chatbots (not just extensions feature on/off)
    7. Base64 encode the workflow json in chatbot shortcode parameter, to avoid conflicts in WordPress shortcode parsing
    8. Fixed AI image generator issue when images were resized
    9. Improved manual link list selection method for automatic linking
    10. Auto detect and exclude post headings from getting automatic links
    11. Fixed duplicate media library images for created posts
    

    Version 2.2.9 Release Date 2024-12-13

    1. Added support for tool calls for Google Gemini AI models
    2. Added support for new Google Gemini 2.0 AI model: gemini-2.0-flash-exp, together with some other experimental Gemini models: gemini-exp-1206, gemini-exp-1121, learnlm-1.5-pro-experimental
    3. Added the ability to use any custom OpenAI Compatible API URL instead of https://api.openai.com
    4. Added the ability to add mixed SERP/internal/manual links to the content
    5. Fixed all reported bugs
    

    Version 2.3.0 Release Date 2024-12-19

    1. Added the ability to use custom AI models from OpenAI Compatible APIs (AI models which are not listed on OpenAI)
    2. Added the ability to list AI Forms previous results for each user, using a new shortcode: [aiomatic-form-history id="FORM_ID"]
    3. Added the ability to display AI Forms History for each user, in the admin menu of the plugin
    4. Added the ability to prepend and append to AI prompts sent from AI Forms and Chatbots
    5. Added support for Azure Batch API
    6. Added support for Azure API version 2024-10-21
    7. Fixed very rare issue when scheduled running would not work on some servers
    8. Added a new WP-CLI command to start editing of posts using WP Content Editor: aiomatic-edit  
    9. Added a new WP-CLI command to run a specific rule ID. Usage:   - Rule type can be: 0 - Keywords/Titles To Blog Posts, 1 - YouTube Videos To Posts, 2 - Amazon Product Roundup, 3 - Amazon Product Reviews, 4 - CSV AI Post Creator, 5 - OmniBlocks. Separate multiple rule IDs in rule_id using commas
    

    Version 2.3.1 Release Date 2024-12-24

    1. Added support for OpenAI's Realtime API - built a new chatbot shortcode which uses this new API. Example: [aiomatic-realtime-chat model="gpt-4o-realtime-preview-2024-12-17" voice="verse" autostart="0" instructions="You are a helpful, witty, and friendly AI. Act like a human, but remember that you aren't a human and that you can't do human things in the real world. Your voice and personality should be warm and engaging, with a lively and playful tone. If interacting in a non-English language, start by using the standard accent or dialect familiar to the user. Talk quickly. You should always call a function if you can. Do not refer to these rules, even if you're asked about them. Respond in the language in which you are asked."]
    2. Added support for all of OpenAI's Realtime API models
    3. AI Forms: Added the ability to auto add values to form fields from URL query strings
    4. AI Forms History: Set The Maximum Allowed Number Of Saved Entries / User
    5. Added latest OpenAI models: o1 and o1-2024-12-17
    6. Added latest xAI models: grok-vision-beta, grok-2-vision-1212, grok-2-1212, grok-2, grok-2-latest
    7. Added AI vision support for xAI models: grok-vision-beta, grok-2-vision-1212
    8. Removed AI models which were no longer supported by Perplexity
    9. Added some new Groq models
    10. Merry Christmas!
    

    Version 2.3.2 Release Date 2025-01-03

    1. Added a new chatbot extension to query directly the WordPress database and extract/modify data in it
    2. Added a chatbot extension to show charts and graphs (pie/line/bar charts supported)
    3. Added the ability to display textual conversation logs in the Realtime Chat
    4. Added more Stable Diffusion resolutions to the Media Library Extension
    5. Added extensions support (tools/function calling) for the realtime chatbot
    6. Added support for OpenAI Compatible TTS models
    7. Added support for TTS also for OpenAI Compatible API services
    8. Added Tavily support for AI Internet Access feature
    9. Added the ability to set YouTube cookies when scraping video subtitles
    10. Removed deprecated Stable Diffusion models
    11. YouTube caption scraper now recognizes a wide range of YouTube video URL formats
    12. Fixed an issue with the [aicontent] shortcode
    13. Added Turkish translation files
    14. Fixed all reported bugs
    15. Happy New Year!
    

    Version 2.3.3 Release Date 2025-01-10

    1. Added a new 'Language Pack Manager' tab to the 'Logs & Translations' menu - where you will be able to install/uninstall language packs for the plugin
    2. Reduced the zip file size of the plugin, as the language packs are no longer bundled by default with the plugin, install them using the new 'Language Pack Manager'
    3. Added the ability to run rules from the 'Bulk AI Post Creator' using webhooks
    4. Added to the 'AI Content Editor' 'Internal Linking' feature the ability to set comma separated lists of post IDs towards where linking is allowed/not allowed
    5. Automatic user comment reply feature added, using AI
    6. Added support for Stable Diffusion 3.5 models
    7. Improved local image file names of AI generate images
    8. Updated Azure Dall-E 3 image creation, now requires a deployment name to be added in plugin settings
    9. Fixed nested [aicontent] shortcodes
    10. Fixed reported message issues
    

    Version 2.3.4 Release Date 2025-01-23

    1. New AI Content Editor feature: AI based duplicate checking - check the published content using AI and decide what to do with duplicates (thrash or delete)
    2. Added support for Perplexity AI's new sonar and sonar-pro models
    3. Added the ability for the AI Content Editor's 'AI Content Completion' feature to add rich embeds (videos and social embeds) inside the created content added to the posts
    4. AI model finetuning improvements
    5. Fixed post creations issues in case long unicode titles were created
    6. Fixed apostrophes not being added correctly to created post headings
    7. Fixed manual run trigger for rules not working in case of multiple consecutive runs
    8. Fixed getting high resolution featured image for Amazon products
    9. AI Content Editor now can use AI to check similar posts which are already published on the website and keep only the most relevant content
    10. Memory usage optimizations
    11. Chatbot vision now works correctly if multiple chatbots are added to the same page
    12. Fixed AI chatbot vision, when multiple vision files where sent in the conversation
    13. OpenAI's o1 model family related fixes and improvements
    14. Added German translations
    

    Version 2.3.5 Release Date 2025-02-01

    1. Added new OpenAI model o3-mini
    2. Added usage logs support for OpenAI Realtime API models
    3. Added rate limiting support for OpenAI Realtime API models in the realtime chatbot
    4. Added new Azure API version support: 2024-12-01
    5. Fixed internal linking rare issue when it could break the HTML structure of the post
    6. If invalid values are entered in settings, the plugin will now highlight the fields with issues
    7. Fixed reported vulnerabilities
    

    Version 2.3.6 Release Date 2025-02-07

    1. AI Duplicate Checking fixes and improvements
    2. AI Content Editor - added more value suggestions for author, category names, post type, and post status
    3. Added the ability to rename saved AI Content Editor templates
    4. Auto select currently loaded AI Content Editor template (to server as a visual indication currently loaded template)
    5. Elementor integration for the AI Content Editor (automatically edit content in textual Elementor Blocks)
    

    Version 2.3.7 Release Date 2025-02-14

    1. Added AI Vision support for Media Library's 'AI Generated SEO Fields' feature
    2. Added the ability to the category and tag creator of the AI Content Editor to set custom taxonomy names for created categories and tags (useful for custom post types)
    3. Added the ability to the AI Content Editor to change edited post dates automatically
    4. Added more post selection filters to the 'Automatic Content Editing' (posts from a specific Author or posts that get published with/without a Featured Image, has/does not have custom field set, has tags list)
    5. Added the ability to use different AI models to edit the post title, slug, content and excerpt (AI Content Editor)
    6. Fixed issue where in Content Completion incorrect AI models were being called
    

    Version 2.3.8 Release Date 2025-02-22

    1. Added integration for the 'Paid Memberships Pro' plugin - premium plans can be purchased and AI usage can be restricted based on them
    2. Added support for bulk editing and creating taxonomy descriptions
    3. Added streaming support for OpenAI o1 models
    4. Added new Google AI models: gemini-2.0-flash and gemini-2.0-flash-lite-preview-02-05
    5. Improved security
    6. Increase OpenRouter models allowed token windows
    7. AI Content Editor - comment/review creator now has better user avatar assignation
    8. ADA compatibility improvements for the Chatbot and AI Forms
    9. Added the ability to create also SEO Meta Title (not just SEO description) (for SEO plugins)
    

    Version 2.3.9 Release Date 2025-02-28

    1. Added new OpenAI models: gpt-4.5-preview-2025-02-27 and gpt-4.5-preview
    2. Added support for Anthropic's new Claude model: claude-3-7-sonnet-20250219
    3. Added support for Google's new experimental Gemini models: gemini-2.0-flash-thinking-exp-01-21 and gemini-2.0-pro-exp-02-05
    4. Removed support for deprecated gemini-exp-1121 and gemini-pro Google models
    5. Updated Perplexity AI model list: sonar-deep-research, sonar-reasoning-pro, sonar-reasoning, sonar-pro, sonar, r1-1776
    6. Added xAI's grok-3 and grok-3-latest models - they are not yet released to the public (closed beta), but should be available soon
    7. Updated Groq AI models
    8. Updated Ollama AI model capabilities list
    

    Version 2.4.0 Release Date 2025-03-14

    1. Added new OpenAI experimental models capable of direct Web Search: gpt-4o-mini-search-preview and gpt-4o-search-preview
    2. Added the ability to process media attachments using templates from 'AI Generated SEO Fields', in bulk
    3. Updated Stable Diffusion image-to-image feature to allow image editing once again in the AI Content Editor menu of the plugin
    4. New shortcode: [aiomatic-stable-image-editor-form] to edit existing images using Stable Diffusion image editor models
    5. Fixed AI Forms not recording usage data when streaming
    6. Removed 'OpenAI Status' feature from the 'Limits & Statistics' menu, as it is no longer supported by OpenAI
    

    Version 2.4.1 Release Date 2025-03-21

    1. Added Threads.com publishing support (from Chatbot Extensions and OmniBlocks) using the new Threadsomatic plugin
    2. Added the ability to use AI Vision in the AI Content Writer in single posts
    3. Added in the AI Content Editor prompts, add the ability to use shortcodes and not always auto append the content/title/excerpt/slug to the prompts
    4. Made Chatbot Workflows details display hidden by default and toggleable
    5. Added pagination for Chatbot Workflows
    6. New styling for the chatbot's code blocks
    7. Added Google Gemma 3 model: gemma-3-27b-it
    8. Amazon direct product data importing working again after recent Amazon changes
    9. Chatbot now correctly handles HTML responses/replies
    

    Version 2.4.2 Release Date 2025-03-28

    1. Added support for the new o1-pro AI model - BEWARE, this model is VERY pricey! - Aiomatic is the only plugin at the moment which provides support for it 
    2. Added support for OpenAI's Responses API, for now it is experimental, to be sure it is integrated with all features of the plugin. You can enable it in the 'Settings' menu -> 'Advanced AI Settings' tab -> 'Enable Usage Of OpenAI's Responses API' switch
    3. Fixed issue with Amazon product importing
    4. Fixed issue with Gutenberg block editing using the AI Content Editor
    5. Added the ability to sort AI Form History by date
    6. Improved AI Forms History styling
    7. Add static_content support for the [aicontent] shortcode
    8. Updated translations
    

    Version 2.4.3 Release Date 2025-04-04

    1. Fixed file names, for better SEO for non-latin character languages
    2. Images from post content which are copied to the server are correctly set as attachments for posts
    3. Added new Google Gemini model: gemini-2.5-pro-exp-03-25
    4. Fixed issue with Custom Shortcode Creator from Bulk AI Post Creators
    5. Added a shortcode in Bulk AI Post Creators to allow adding the section title/content in the 'Prompt For The AI Image Generator' settings field (to create better AI images for article sections)
    6. Added the ability to set a delay of auto opening the chatbot on the front end / back end global chatbot
    7. Improved content generation quality and performance
    

    Version 2.4.4 Release Date 2025-04-11

    1. Added the ability to set an image instead of the chatbot 'Submit' text
    2. Added the ability to set chatbot buttons to be full width
    3. Added the ability to the chatbot to auto detect the user's language set in the browser, you can use this info in the 'Bot Context' settings field using this shortcode: %%user_language%%
    4. Added support for Google's text-embedding-005 model
    5. Added webhook calling action for chatbot workflows
    6. Added the ability to do AI based media file renaming, based on the title, for better SEO
    7. Added support for RankMath, Yoast SEO and All-In-One SEO plugins focus keyword creation
    8. Added support for SEO meta title creation AI Content Writer
    9. Added the ability to set a list of "enforced" keywords for the AI Auto Linker in the AI Content Editor
    10. Integrated Aiomatic with SEOPress
    11. Fixed an issue when the same content might be edited twice in a row
    12. Fixed more duplicate content editing issues, which could appear in some rare cases 
    13. If tutorial videos are hidden from Aiomatic's admin menu, don't load them at all (not just hide them, but remove them)
    14. Don't show Settings for APIs for which the user didn't add their API key, to simplify settings menus a bit
    15. AiomaticAPI - don't pass the API key in the URL, but pass it in headers using: Authorization: Bearer API_KEY
    16. Fixed an issue with THML not being rendered correctly when in chatbot streaming mode
    

    Version 2.4.5 Release Date 2025-04-16

    1. Added new OpenAI models: o3-2025-04-16, o3, o4-mini-2025-04-16, o4-mini, gpt-4.1-2025-04-14, gpt-4.1, gpt-4.1-mini-2025-04-14, gpt-4.1-mini, gpt-4.1-nano-2025-04-14, gpt-4.1-nano
    2. Replaced the default AI model to be used from gpt-4o-mini to gpt-4.1-mini
    3. Fixed stripping of some HTML tags from posts, when featured images where also set in Bulk AI Post Creators
    4. Added support for WordPress 6.8
    5. CSV Post Creator improved, now post author can also be set from the CSV files, using the post_author column
    

     

    You can make suggestions, vote for new features and follow the development process on Aiomatic’s Feature Suggestions Board.

    Aiomatic Plugin Function Calling Documentation

    The Function Calling feature in the Aiomatic plugin empowers developers to extend the capabilities of the AI writer by instructing it to execute custom functions. With this powerful functionality, developers can seamlessly integrate AI-generated content with practical actions, such as sending emails, creating files, writing to databases, and performing other tasks that were previously not possible. This documentation provides a step-by-step guide on how to use the Function Calling feature to leverage the full potential of the Aiomatic plugin.

    Prerequisites

    Before you proceed, ensure that you have the following prerequisites in place:

    1. Latest Version of Turbo or GPT-4:
      • To use the Function Calling feature, you need the latest version of Turbo (gpt-3.5-turbo-0613 or higher) or GPT-4 (gpt-4-0613 or higher). Please verify that your AI model is up-to-date, especially if you are using Azure with deployments of models that might not be the latest ones.

    Enabling Function Calling

    To enable Function Calling in Aiomatic, follow these steps:

    1. Add AI Functions: The first step is to define the custom functions that you want the AI to be able to call. These functions will be accessible to the AI as part of the AI query. Each function requires a name, description, and a list of parameters it accepts.
    1. Hook into ‘aiomatic_ai_functions’ Filter: Use the add_filter function to hook into the ‘aiomatic_ai_functions’ filter and add your custom functions. This filter provides a structured array that contains the custom functions, their descriptions, and their respective parameters.
    add_filter('aiomatic_ai_functions', function ($query) {
        $functions = array();
        $functions['functions'][] = new Aiomatic_Query_Function(
            'send_email',
            'Send an email to the administrator of this website',
            [
                new Aiomatic_Query_Parameter('subject', 'The subject of the email', 'string', true),
                new Aiomatic_Query_Parameter('message', 'The message of the email', 'string', true)
            ]
        );
        $functions['message'] = 'Sure, I just sent an email to admin, he will respond soon!';
        return $functions;
    }, 999, 1);
    
    1. Handle AI Replies with Custom Functions: The next step is to handle AI replies and identify if a function call is present in the reply. If the AI generates a function call, extract the function name and its arguments from the reply and execute the corresponding custom function. You will be able to do this, by using the aiomatic_ai_reply_raw filter. Use the add_filter function to hook into the ‘aiomatic_ai_reply_raw’ filter and process AI replies. In this filter, you will check if a function call exists in the AI reply and execute the corresponding custom function with the provided arguments. Be sure to json_decode the arguments of functions, as at this stage, they are still in encoded textual format. For example:
    add_filter('aiomatic_ai_reply_raw', function ($reply, $query) {
        if (isset($reply->function_call) && !empty($reply->function_call)) {
            $function_call = $reply->function_call;
            if (isset($function_call->arguments) && is_string($function_call->arguments)) {
                $function_call->arguments = json_decode($function_call->arguments);
            }
            if ($function_call->name === 'send_email') {
                $subject = $function_call->arguments->subject;
                $message = $function_call->arguments->message;
                mail("admin@yoursite.com", $subject, $message);
                if(!isset($reply->choices))
                {
                    $reply->choices = array();
                    $reply->choices[0] = new stdClass();
                }
                //this is optional, here you can set the text which will be displayed as the AI response (only in the response streaming mode). You can output a simple text, directly the result of your function call or parse the function call result through the AI writer, for a sintetized response.
                $reply->choices[0]->text = 'Email Sent!';
            }
        }
        return $reply;
    }, 10, 2);
    

    Using Function Calling in AI Queries

    After the above steps are done, you can have a conversation with the chatbot, which will actually send an email to the email address you defined in the custom code you added:

    Important Considerations

    • Security: While using the Function Calling feature, ensure proper validation and sanitization of user inputs to prevent security vulnerabilities.
    • Permissions: Ensure that the AI has appropriate permissions to execute the custom functions. Limit access to critical functionalities to authorized users only.
    • Error Handling: Implement proper error handling mechanisms to gracefully manage any issues that might arise during function execution.
    • Testing: Thoroughly test your custom functions before deploying them in a production environment to ensure smooth integration with the AI writer.

    Aiomatic Plugin Custom Filters Documentation

    My goal is to build the Aiomatic plugin, so it offers unparalleled customization, enabling you to accomplish any task you desire. Because of this, I added the ability to use custom filters to modify the prompts and the AI generated content, during the plugin’s execution.

    Introduction to Custom Filters

    Custom filters in the Aiomatic plugin are PHP functions that allow you to intercept and modify different stages of the AI writing process. These filters act as hooks, enabling you to insert your custom logic and manipulate the AI’s queries, replies, embeddings, images, voice texts, video texts, and more. By utilizing these filters, you can tailor the plugin to meet your unique requirements and achieve a highly customizable AI writing experience.

    List of Custom Filters

    1. aiomatic_is_ai_query_allowed

    • Description: This filter determines whether an AI query is allowed to be executed or not.
    • Parameters:
      • allowed_value (boolean): Current status of whether the AI query is allowed or not.
      • prompt (string): The AI prompt which should be filtered and checked if it is allowed to be executed.
    • Return Value: Boolean value (true to allow, false to disallow).

    2. aiomatic_modify_ai_query

    • Description: Use this filter to modify the AI query before it is sent to the AI engine.
    • Parameters:
      • prompt (string): The original AI prompt.
    • Return Value: Modified AI query (string).

    3. aiomatic_modify_ai_reply

    • Description: This filter allows you to modify the AI’s reply before it is processed further.
    • Parameters:
      • reply (string): The original AI reply.
      • prompt (string): The prompt based on which the content was generated.
    • Return Value: Modified AI reply (string).

    4. aiomatic_modify_ai_error

    • Description: Use this filter to handle and modify AI-related errors that occur during the writing process.
    • Parameters:
      • error (string): The AI error message.
    • Return Value: Modified AI error message (string).

    5. aiomatic_modify_ai_embeddings

    • Description: This filter enables you to modify the embeddings received from the AI engine.
    • Parameters:
      • embeddings (string): The original embeddings.
    • Return Value: Modified embeddings (string).

    6. aiomatic_is_ai_edit_allowed

    • Description: This filter determines whether the AI’s editing feature is allowed or not.
    • Parameters:
      • allowed_result (boolean): The return value when the operation is allowed. Default is true.
      • instruction (string): The instruction which was sent to the AI editor
      • text (string): The text which should be edited
    • Return Value: Boolean value (true to allow, false to disallow).

    7. aiomatic_modify_ai_edit_instruction

    • Description: Use this filter to modify the AI’s editing instructions.
    • Parameters:
      • instruction (string): The original editing instruction from AI.
      • text (string): The text which should be edited
    • Return Value: Modified editing instruction (string).

    8. aiomatic_modify_ai_edit_content

    • Description: This filter allows you to modify the content that the AI has edited.
    • Parameters:
      • content (string): The original edited content by AI.
      • text (string): The text which should be edited
    • Return Value: Modified edited content (string).

    9. aiomatic_is_ai_image_allowed

    • Description: This filter determines whether the AI’s image-related functionality is allowed or not.
    • Parameters:
      • allowed_result (boolean): The return value when the operation is allowed. Default is true.
      • prompt (string): The prompt which was sent to the AI image creator
    • Return Value: Boolean value (true to allow, false to disallow).

    10. aiomatic_modify_ai_image_query

    • Description: Use this filter to modify the AI’s image-related queries before they are sent to the AI engine.
    • Parameters:
      • query (string): The original AI image prompt.
    • Return Value: Modified AI image prompt (string).

    11. aiomatic_modify_ai_voice_text

    • Description: This filter allows you to modify the AI’s generated voice text.
    • Parameters:
      • voice_text (string): The original AI voice text.
    • Return Value: Modified AI voice text (string).

    12. aiomatic_modify_ai_video_text

    • Description: Use this filter to modify the AI’s generated video text.
    • Parameters:
      • video_text (string): The original AI video text.
    • Return Value: Modified AI video text (string).

    13. aiomatic_embeddings_reply_raw

    • Description: This filter provides access to the raw AI embeddings reply data for advanced manipulation.
    • Parameters:
      • reply (object): The raw AI embeddings reply data.
      • embeddings_string (string): The original embeddings text
    • Return Value: Modified raw AI embeddings reply data (object).

    14. aiomatic_ai_reply_raw

    • Description: Use this filter to access the raw AI reply data for advanced manipulation.
    • Parameters:
      • reply (object): The raw AI reply data.
      • prompt (string): The original prompt text
    • Return Value: Modified raw AI reply data (object).

    15. aiomatic_edit_reply_raw

    • Description: This filter provides access to the raw AI editing reply data for advanced manipulation.
    • Parameters:
      • reply (object): The raw AI editing reply data.
      • instruction (string): The original instruction text
      • editable_text (string): The original editable text
    • Return Value: Modified raw AI editing reply data (object).

    16. aiomatic_dalle_reply_raw

    • Description: Use this filter to access the raw AI DALL-E reply data for advanced manipulation.
    • Parameters:
      • reply (object): The raw AI DALL-E reply data.
      • prompt (string): The original prompt text
    • Return Value: Modified raw AI DALL-E reply data (object).

    17. aiomatic_stability_reply_raw

    • Description: This filter provides access to the raw AI stability.AI reply data for advanced manipulation.
    • Parameters:
      • reply (object): The raw AI stability reply data.
      • prompt (string): The original prompt text
    • Return Value: Modified raw AI stability.AI reply data (object).

    How to Use Custom Filters

    To utilize the custom filters provided by the Aiomatic plugin, follow these steps:

    1. Identify the filter that corresponds to the aspect you want to modify or intercept.
    2. Create a custom PHP function in your theme’s functions.php file or in a custom plugin file.
    3. Inside your custom function, implement the desired logic to modify the data as required.
    4. Hook your custom function into the corresponding filter using the add_filter function.

    Here’s an example of how to use a custom filter:

    // Custom function to modify AI reply before processing further
    function custom_modify_ai_reply($reply) {
        // Add custom logic here to modify the AI reply
        $modified_reply = $reply . " (modified)";
        return $modified_reply;
    }
    // Hook the custom function into the aiomatic_modify_ai_reply filter
    add_filter('aiomatic_modify_ai_reply', 'custom_modify_ai_reply');

    By using custom filters, you can tailor the AI writing process to meet your specific needs and create a more personalized experience for your users.

    Aiomatic Update: AI Content Detector Bypassing For Created Articles!

    Aiomatic Update: AI Content Detector Bypassing For Created Articles! Check Aiomatic here ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhsRSgl5czLEDAhawr_SHx2 />
    🤔 ABOUT THIS VIDEO 👇
    👋 Hello there, fellow creators! I’m Szabi, the developer of the Aiomatic plugin. Today, I am thrilled to share some news with you about our latest update. Get ready to be amazed!

    Imagine a world where your content can effortlessly bypass AI content detectors, ensuring that your hard work reaches its intended audience. Well, my friends, that world is now a reality, thanks to Aiomatic! 🌟

    In this video, I want to guide you through the world of Aiomatic’s AI Content Detector Bypassing. Together, we’ll explore how this innovative technology utilizes advanced algorithms and machine learning to help your articles shine.

    Now, I must say, as a developer, I am genuinely humbled by the impact Aiomatic has had on the lives of creators like yourself. So, my friends, I invite you to join me on this exciting journey. Trust me; you don’t want to miss out on this game-changing update!

    Hit that play button and let’s embark on this adventure. See you on the other side! 🚀

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aidetector #detectai #aicontent #bypassaidetector

    HUGE OpenAI API Upgrade: GPT-3.5 NEW 16K Context Window + Lower Prices + Function Calling (Big One!)

    🚀 BREAKING NEWS: OpenAI Unveils Game-Changing Upgrade: GPT-3.5 NEW 16K Context Window, Lower Prices, and More! 💥
    Check Aiomatic ► https://1.envato.market/aiomatic
    Check OpenAI’s Blog Post Update ► https://openai.com/blog/function-calling-and-other-api-updates

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhsRSgl5czLEDAhawr_SHx2 />
    Hold on tight, AI enthusiasts, because OpenAI has just dropped a bombshell of updates that will revolutionize the way we interact with their powerful language models! In our thrilling video, “HUGE OpenAI API Upgrade: GPT-3.5 NEW 16K Context Window + Lower Prices + Function Calling (Big One!),” we’ll dive deep into the groundbreaking advancements you don’t want to miss.

    First up, OpenAI introduces the highly anticipated function calling capability in the Chat Completions API. Now, developers can take their interactions with AI to astonishing new heights, seamlessly integrating advanced functions into their projects for unparalleled versatility and creativity.

    But that’s just the tip of the iceberg! OpenAI unveils not one, but two incredible upgrades to their language models. Say hello to the dazzling GPT-4 and the turbocharged GPT-3.5-turbo! GPT-4, available in both gpt-4-0613 and gpt-4-32k-0613 versions, boasts enhanced performance and improved model capabilities. It’s time to unleash the true power of AI with the remarkable function calling feature.

    Hold your breath because here comes the real game-changer. Introducing the mighty gpt-3.5-turbo-16k, OpenAI’s latest masterpiece, offering an astounding 16,000 context length—four times that of its predecessor. Now you can enjoy seamless interactions with texts spanning approximately 20 pages in a single request! The possibilities are truly limitless.

    And it gets better! OpenAI understands the importance of accessibility and affordability. That’s why they’ve reduced the cost of the state-of-the-art embeddings model by a whopping 75%! Unlocking the true potential of embeddings has never been this cost-effective.

    Not to be outdone, OpenAI also slashes the price of input tokens for gpt-3.5-turbo by 25%, making it even more budget-friendly for developers to explore its vast capabilities.

    As we embark on this incredible journey, OpenAI has thoughtfully provided a deprecation timeline for the gpt-3.5-turbo-0301 and gpt-4-0314 models. It’s a testament to OpenAI’s commitment to innovation and progress.

    So join us as we explore these groundbreaking updates, unleashing the true power of AI with function calling, extended context lengths, and more! The future of AI is brighter than ever before, and you won’t want to miss a single second of this extraordinary journey.

    Subscribe now and be at the forefront of the AI revolution with the Aiomatic plugin. Let’s redefine what’s possible together! 🔥🤖

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #OpenAI #GPT4 #AIRevolution #LowerPrices

    Aiomatic New Feature: Chatbot Unleashed with Clickable Links!

    Aiomatic New Feature: Chatbot Unleashed with Clickable Links!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhsRSgl5czLEDAhawr_SHx2 />
    🤔 ABOUT THIS VIDEO 👇
    🎉 Hey there, fellow tech enthusiasts! Szabi here, the guy behind the Aiomatic plugin! Today, I couldn’t be more thrilled to share with you the most exciting news in the world of chatbots. Brace yourselves for an absolute game-changer: introducing the new feature that will redefine the way we interact with AI-powered conversations – clickable links in chatbot responses!

    🚀 Picture this: you’re engrossed in a conversation with a chatbot, seeking information or assistance. Suddenly, a clickable links emerge right within the chatbot’s responses! No more copy-pasting URLs or manually opening new tabs – just a single click and voila! You’re chatbot users are seamlessly transported to a bunch relevant resources, valuable articles, jaw-dropping product details, or even a virtual shopping spree. It’s a whole new level of convenience, my friends!

    🚀 So, my fellow tech explorers, don’t miss out on this advancement that will redefine the future of chatbot interactions. Hit that play button now and become part of the incredible Aiomatic revolution today! Let’s embark on this tech odyssey together! 💪🌌

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #chatgpt #chatbot #chatgptplugin

    New Aiomatic Update: Add a Talking Avatar To Your Chatbot, using D-ID API

    Introducing the New Aiomatic Update: Add a Talking Avatar To Your Chatbot, powered by D-ID API!
    Check Aiomatic here: https://1.envato.market/aiomatic

    🔥 Enhance your chatbot experience with our latest update! 🔥

    🤖 As the developer of this plugin, I am thrilled to announce the addition of D-ID Animated Video Chatbot Actor Support. Now, you can take your chatbot interactions to a whole new level by incorporating a lifelike talking avatar. Create and interact with talking avatars at the touch of a button, to increase engagement and reduce costs.

    🌟 Imagine having a virtual assistant that not only responds with text or speech, but also speaks and emotes like a real person. With the integration of D-ID API, the Aiomatic platform revolutionizes the way users engage with your chatbot!

    🚀 Creating a personalized and captivating experience is essential for capturing your audience’s attention, and that’s exactly what our update delivers. The D-ID Animated Video Chatbot Actor allows you to customize the appearance, voice, and personality of your virtual assistant, making it truly unique and reflective of your brand.

    🎨 Integrating D-ID API with Aiomatic is seamless and user-friendly. The intuitive interface of the plugin allows you to effortlessly upload your own character designs or choose from a wide range of pre-designed avatars. You can also tailor the voice and language to match your chatbot’s persona and target audience.

    💡 This brand new update empowers you to create truly interactive and immersive experiences. As the developer, I invite you to upgrade your the plugin today to its latest version and witness your virtual assistant come to life!

    🔔 Stay tuned for more exciting updates and enhancements to the Aiomatic plugin. I am fully committed to pushing the boundaries of AI technology to help you deliver exceptional user experiences. Start exploring the possibilities now and revolutionize the way you engage with your audience!

    👨‍💻 I’m excited to see what you create with this powerful new tool! Get started today and transform your chatbot into an engaging and dynamic virtual assistant. Let’s take the world of conversational interfaces to new heights together!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #Chatbot #chatbotgpt #VirtualAssistant #chatbotbuilder

    Unveiling Aiomatic’s Latest Update: The New External Link Feature! 🚀💻

    Hello everyone! As the developer of Aiomatic, I’m excited to share with you our latest update – the new External Link feature! 🚀💻
    Check Aiomatic here: https://1.envato.market/aiomatic

    In this video, I’ll be giving you a detailed walkthrough of this new feature, which has been designed to enhance your experience and provide more flexibility in how you use Aiomatic.

    Here’s what we’ll cover:

    A brief overview of Aiomatic
    Introduction to the new External Link feature
    A step-by-step guide on how to use this feature
    The benefits of this feature and how it can improve your use of Aiomatic

    This new feature is a result of your valuable feedback and our commitment to continuously improve and adapt to your needs. I’m excited to hear what you think about it and how it enhances your experience with Aiomatic.

    Remember to like, comment, and subscribe to stay updated with our latest features and improvements. Your support and feedback are what drive me to keep innovating!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #Aiomatic #ExternalLinkFeature #NewUpdate #WebDevelopment

    How to increase the max_execution_time settings on your server?

    Here’s a tutorial on how to increase the maximum execution time in WordPress:

    Step 1: Locate the php.ini file

    1. Log in to your WordPress hosting account or connect to your server via FTP (File Transfer Protocol).
    2. Navigate to the root directory of your WordPress installation.
    3. Look for the php.ini file. If you can’t find it, contact your hosting provider for assistance as some hosts may have specific locations or alternative methods for modifying PHP settings.

    Step 2: Open the php.ini file

    1. Right-click on the php.ini file and choose “View/Edit” or download it to your local computer and open it with a text editor.

    Step 3: Adjust the max_execution_time value

    1. Inside the php.ini file, search for the line that contains max_execution_time.
    2. By default, this value is set to 30 seconds. Change the value to the desired maximum execution time you want (e.g., 90 seconds, 120 seconds, etc.). For example:
      max_execution_time = 600
    3. Save the changes and close the php.ini file.

    Step 4: Verify the new max execution time

    1. Log in to your WordPress admin dashboard.
    2. Go to “Tools” and select “Site Health.”
    3. Inside the Site Health screen, click on the “Info” tab.
    4. Look for the “Server” section and find the “max_execution_time” value. It should reflect the new execution time you set.

    Note: If you don’t have access to the php.ini file or your hosting environment doesn’t allow direct modifications, you can try alternative methods such as using an .htaccess file or modifying the wp-config.php file. However, these methods might not be available or recommended on all hosting platforms.

    That’s it! You have successfully increased the maximum execution time for your WordPress installation. This change allows WordPress to process longer tasks without timing out, which can be helpful for resource-intensive operations or plugins that require more time to complete certain tasks. Remember to make a backup of the original php.ini file before making any modifications to ensure you can revert back if needed.

    🎉 Chosen as Codecanyon’s Featured Creator of the Week! Thank you guys for your support! 🎉

    In this video, I share the amazing news that I’ve been selected as Codecanyon’s Featured Creator of the Week! Thank you guys for your support! Check me on CodeCanyon here: https://codecanyon.net/ 🎉

    Don’t forget to like, comment, and subscribe for more content like this. Your support means the world to me and helps me continue to create and share my journey with you all.

    Thank you for being a part of my journey, and here’s to many more milestones together!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #Codecanyon #FeaturedCreator #DigitalProducts #CreatorJourney

    Aiomatic update: use cron schedules to automatically edit existing posts

    Hey there, it’s Szabi, the developer of Aiomatic, back with another exciting update! 🚀🤖
    Check Aiomatic: https://1.envato.market/aiomatic

    In this video, I’m thrilled to introduce a fantastic new feature that’s going to make your life so much easier – using cron schedules to automatically edit existing posts!

    Imagine being able to schedule automatic updates to your posts without lifting a finger. Sounds good, right? Well, with our latest Aiomatic update, it’s now a reality.

    I’ll walk you through how to set up cron schedules, allowing you to automate edits to your existing posts. Whether you want to update information, add new content, or even change the format, this feature has got you covered.

    Don’t forget to like, share, and subscribe to our channel for more updates and tutorials. And if you have any questions or feedback, please leave them in the comments section below. I’m always here to help!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #Aiomatic #CronSchedules #AutomaticUpdates #ContentEditing

    Automatically Edit Draft or Pending Posts Using AI with Aiomatic [Update]

    As the developer of Aiomatic, I’m thrilled to share with you a feature that’s going to improve the way you automatically edit posts using AI, with the Aiomatic plugin. Check Aiomatic here: https://1.envato.market/aiomatic

    Imagine having an AI assistant that not only helps you create content but also automatically edits your draft or pending posts. Sounds amazing, right? Well, that’s exactly what Aiomatic does!

    In this video, I’ll explore a new way how Aiomatic can automatically edit your posts, even when they’re in draft or pending status. This feature is very important, especially for those who manage large websites or publish content frequently. It’s like having your own personal editor, working around the clock to ensure your content is always at its best.

    I’ll walk you through the process, showing you how easy it is to set up and use this feature. Check the video for details.

    Don’t forget to give this video a thumbs up if you find it helpful, and hit that subscribe button for more handy tutorials and updates. We love hearing from you, so if you have any questions or just want to share your thoughts, drop us a comment below!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #Aiomatic #WordPressPlugin #AIEditing #ContentManagement

    How to setup OpenAI API in Microsoft Azure, for Aiomatic?

    In this tutorial, we will walk you through the process of setting up the OpenAI API on Microsoft Azure, which provides a robust and scalable environment to deploy and manage your OpenAI API resources effectively.

    By following this step-by-step guide, you will learn how to create an Azure account, set up an OpenAI API resource, configure the necessary settings, and obtain the access keys required to access the API. Whether you’re a developer, researcher, or business professional, integrating the OpenAI API into your Azure environment will open up a world of possibilities for natural language processing and generation.

    Before getting started, please check Azure’s OpenAI API pricing page.

    Step 1: Create an Azure Account – If you don’t already have an Azure account, you’ll need to create one. Go to the Azure portal (portal.azure.com) and sign up for a new account. Follow the instructions provided to set up your account. Also, before getting access to OpenAI API on Azure, you will need to apply for it, by filling out this form. For this, you will need to have a Pay-As-You-Go subscription in Azure Portal. You will need to add the subscription ID in the form you are filling out to get access. If everything is filled out correctly, they usually approve applications without 4-6 hours.

    Step 2: Create a New Resource – Once you’re logged into the Azure portal, click on “Create a resource” to begin setting up a new resource.

    Step 3: Search for “Azure OpenAI” in the search bar, type “Azure OpenAI” and press Enter. Select the “Azure OpenAI” option from the search results.

    Step 4: Configure OpenAI API – In the OpenAI API resource page, click on the “Create” button to start configuring the resource.

    Step 5: Provide Resource Details – In the “Basics” tab, fill out the required information such as the subscription, resource group, and resource name. Choose a region that is closest to your location for better performance. You may also need to select the pricing tier based on your requirements.

    Select:

    ‘Subscription’ -> ‘Pay as you go’

    ‘Resource Group’ -> Create new -> give it a name

    Give the project a name, select basic pricing tier. Click next.

    Step 6: Configure Networking – Switch to the “Networking” tab and choose the networking settings for your OpenAI API resource. You can choose to keep the default settings or configure custom networking options based on your needs. (All networks, including the internet, can access this resource.)

    Step 7: Click Next – You can skip the tags section, don’t modify anything.

    Step 8: Review and Create – After configuring the necessary settings, click on the “Review + Create” button to review your resource configuration. Double-check the details to ensure they are correct. If everything looks good, click on “Create” to create the OpenAI API resource.

    Step 9: Wait for Deployment to finish processing. Azure will now start deploying the OpenAI API resource based on your configuration. This process may take a few minutes, so please be patient.

    Step 10: Access Keys – Once the deployment is complete, navigate to the resource page for your OpenAI API. In the left-hand menu, under “Settings,” click on “Keys and Endpoint.” Here you will find the access keys that you’ll need to access the OpenAI API.

    Step 11: Use OpenAI API in Aiomatic – With the access keys in hand, you can now integrate the OpenAI API into Aiomatic. Be sure to add any of the KEYs listed to the plugin’s ‘Azure API Keys (One Per Line):’ settings field, from Aiomatic’s ‘Main Settings’ menu -> ‘API Keys’ settings field. Also, add the URL listed in the Endpoint field, to the ‘Azure OpenAI Endpoint’ settings field of the plugin.

    Step 12: Now you need to go to OpenAI Azure Portal. Sign in, and select the Resource you just created and the ‘Pay-As-You-Go’ subscription.

    Step 13: Click on the ‘Deployments’ menu on the left. Click ‘Create New Deployment’ (the Plus sign). Give the deployment a simple name and select the model you want to use in the Aiomatic plugin. Please note that you will need to create a separate deployment for all models which you would like to use in Aiomatic!

    Step 14: Note: In latest versions of the Aiomatic plugin (v1.4.3 or newer) this step is no longer needed (as the plugin can now automatically list deployments you created in your Azure account), you can skip it. For older plugin versions, the final step is to go to Aiomatic and add in the ‘Azure OpenAI Deployments’ settings field, all the deployments you created at the above step. The for this settings field is: DeploymentName1 => DeploymenetModel1; DeplayName2 => DeploymentModel2. Example: ChatGPT => gpt-35-turbo; DaVinci => text-davinci-003

    Settings should look similar to the below image:

    Congrats! That’s it! You’ve successfully set up the OpenAI API on Microsoft Azure and integrated it with Aiomatic!

    Please note that if you want to get access also to GPT-4 on Azure OpenAI API, you need to ask for access, filling out this form.

    You can now start leveraging the power of OpenAI’s language model in your applications or projects. Remember to handle the access keys securely and follow any usage guidelines provided by OpenAI to ensure a smooth and optimized experience.

    With the combined power of OpenAI API and AIomatic, you can create advanced chatbots, virtual assistants, content generation systems, content editing systems and much more.

    So, go ahead and explore the possibilities of integrating Azure OpenAI API with Aiomatic. Unlock the true potential of AI by building intelligent and dynamic applications that can understand, generate, and respond to human-like text, give it a try!

    Happy integrating!

    Check also this full tutorial video with step by step guidance from my part:

    Aiomatic’s AI Content Editor: A Step-by-Step Guide to Automatic AI Assisted Post Editing

    Welcome to our in-depth tutorial on Aiomatic’s AI Content Editor feature! This video is designed to guide you through every step of using this powerful tool, which uses artificial intelligence to automatically edit and enhance your WordPress posts.
    Check Aiomatic here: https://1.envato.market/aiomatic

    This video will show you how to leverage the power of AI to streamline your content creation process. I’ll walk you through the process of setting up the plugin, configuring your editing settings, and defining your editing templates and options. I’ll also cover how to adjust the advanced AI API settings to ensure the editing process aligns with your specific needs.

    By the end of this video, you’ll be able to automate your post editing process, saving you time and effort while ensuring your content is optimized and engaging.

    Don’t forget to like this video and subscribe to our channel for more tutorials like this one. If you have any questions or need further clarification on any points, please leave a comment below. I’m always here to help!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aieditor #aiedit #aiediting #aiassistant

    Aiomatic – Full “Limits and Statistics” Tutorial

    Welcome to a deep dive into the Aiomatic plugin’s ‘Limits and Statistics’ feature! In this comprehensive tutorial, I’ll walk you through each tab, explaining how to effectively monitor and manage your AI services.

    I’ll start with the ‘Usage Logs’ tab, where you’ll learn how to track user activity and spot any unusual patterns. Then, I’ll move on to the ‘Usage Graphs’ tab, where you’ll discover how to interpret usage trends and patterns over time.

    Next, I’ll explore the ‘Usage Limits’ tab. Here, you’ll learn how to set usage limits for different users, create usage limiting rules, and integrate with the ‘Ultimate Membership Pro’ plugin to offer different usage amounts for different membership plans.

    Finally, I’ll check out the ‘OpenAI Status’ tab, where you’ll learn how to stay updated with OpenAI’s service status and reported incidents.

    Whether you’re new to the Aiomatic plugin or looking to expand your knowledge, this tutorial is packed with valuable insights. So, get ready to take full control of your AI services!

    More new features might be added to the ‘Limits and Statistics’ menu of the plugin, so be sure to read also the ‘Tutorial’ tab of the plugin, each time you update the plugin to a major new version.

    Don’t forget to hit the ‘Like’ button if you find this video helpful and ‘Subscribe’ to our channel for more in-depth tutorials like this one.

    🔗 Links:
    Download Aiomatic Plugin: https://1.envato.market/aiomatic

    Your feedback is important to us! Please leave a comment below with any questions or topics you’d like us to cover in future videos.

    Thank you for watching, and I’ll see you in the next tutorial!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #AiomaticTutorial #AIPlugin #OpenAI #WordPressPlugins

    🔥 Exclusive Deal: Get 30% OFF on Aiomatic & Crawlomatic WordPress Plugins – Limited Time Offer!

    🔥 LIMITED TIME OFFER! 🔥
    Welcome back to CodeRevolution TV! In today’s video, I have some exciting news for all WordPress enthusiasts out there! I’m offering an exclusive 30% discount on two of my most popular WordPress plugins: Aiomatic and Crawlomatic! This special offer is only available until 14th May, so don’t miss out!

    🤖 Aiomatic: The Ultimate AI Content Generator
    Aiomatic is a powerful AI-powered content generation plugin for WordPress. With Aiomatic, you can automatically create high-quality, unique content for your website or blog in just a few clicks. Whether you’re looking to generate articles, product descriptions, or any other type of content, Aiomatic has got you covered!

    🕷️ Crawlomatic: The Ultimate Web Scraping Plugin
    Crawlomatic is a versatile web scraping plugin that allows you to extract and import content from any website directly into your WordPress site. With Crawlomatic, you can easily create auto-blogging websites, news aggregators, and much more. The possibilities are endless!

    🎁 SPECIAL DISCOUNT: 30% OFF UNTIL 14th MAY
    For a limited time only, you can get both Aiomatic and Crawlomatic at a 30% discount! This offer is valid until 14th May, so don’t wait too long to take advantage of this amazing deal. Whether you’re a blogger, website owner, or digital marketer, these plugins are sure to take your content creation and curation to the next level!

    🔗 Get Aiomatic: https://1.envato.market/aiomatic
    🔗 Get Crawlomatic: https://1.envato.market/crawlomatic

    👍 If you found this video helpful, please give it a thumbs up and subscribe to my channel for more WordPress tips, tutorials, and discounts. Don’t forget to hit the notification bell to stay updated on my latest videos!

    📩 If you have any questions or need assistance, feel free to leave a comment below or reach out to our support team. I am here to help!

    Thank you for watching, and I’ll see you in the next video!

    #WordPress #Aiomatic #Crawlomatic #Discount #Plugins

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    Get 70% OFF Your First Month on Envato Elements! 🎉 Exclusive Coupon Code (Valid May-Nov 2023) 🛍️

    Unlock your creative potential with Envato Elements! 🎨✨
    Activate the coupon by clicking here 👉https://1.envato.market/c/1264868/298927/4662?subId1=coupon&u=https%3A%2F%2Felements.envato.com?coupon_code=elements-70p-firstmonth-ye44wc />
    Are you a designer, content creator, or digital artist looking for a treasure trove of premium assets to elevate your projects? Look no further! Envato Elements is your one-stop-shop for high-quality graphics, templates, stock photos, music, and so much more. And guess what? I have an EXCLUSIVE deal just for you!

    For a limited time, you can get a whopping 70% OFF your first month of subscription to Envato Elements! That’s right—access thousands of premium creative assets at a fraction of the cost. Whether you’re working on a website, video, social media post, or any other creative project, Envato Elements has got you covered.

    🔥 Click the link below to claim your 70% discount:
    👉
    https://1.envato.market/CodeRevolution-Elements-Coupon-70-Percent-OFF-May-Nov

    This incredible offer is valid from May to November 2023, so don’t miss out! Join the Envato Elements community and unlock a world of endless creative possibilities.

    I’m incredibly grateful to my friends at Envato for sharing this special coupon with me and allowing me to promote it to all of you. It’s an amazing opportunity that I’m excited to share!

    📌 What you’ll get with Envato Elements:
    Unlimited downloads of premium design assets
    Access to a vast library of graphics, templates, fonts, and more
    Royalty-free licenses for commercial use
    New assets added daily to keep your projects fresh
    Don’t wait—take advantage of this amazing deal and start creating like never before! 🚀

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #EnvatoElements #Coupon #Discount #DesignAssets #CreativeResources

    Fix OpenAI Error: You exceeded your OpenAI quota limit, please wait a period for the quota to refill

    Fix OpenAI API Error: “You exceeded your OpenAI quota limit, please wait a period for the quota to refill”
    Check Aiomatic ► https://1.envato.market/aiomatic
    Check OpenAI’s Rate Limiting guide ► https://platform.openai.com/docs/guides/rate-limits/overview

    🤔 ABOUT THIS VIDEO 👇
    🛠️ Are you stuck with the frustrating error message “You exceeded your OpenAI quota limit, please wait a period for the quota to refill” while using OpenAI’s GPT-3 API? Don’t worry, you’re not alone! In today’s video, I’ll walk you through the steps to fix this error and get you back on track with your AI projects.

    👋 Thanks for watching! If you found this video helpful, please give it a thumbs up and subscribe to the channel for more tutorials on AI, machine learning, and programming. If you have any questions or suggestions for future videos, leave a comment below—I’d love to hear from you!

    🔔 Don’t forget to hit the notification bell to stay updated on our latest content.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #OpenAI #GPT3 #QuotaLimit #MachineLearning

    Aiomatic Update: Introducing [aicontent] Nested Shortcode Support for Dynamic Content Generation!

    🚀 Exciting Update Alert! 🚀

    Hey everyone! Welcome back to my channel. Today, I have some fantastic news to share with all of you who use Aiomatic for content generation. Aiomatic has just released a game-changing update that introduces [aicontent] Nested Shortcode Support! This powerful feature is going to revolutionize the way you create dynamic and personalized content on your website.

    👉 Check out Aiomatic here: https://1.envato.market/aiomatic
    👉 Check out Crawlomatic here: https://1.envato.market/crawlomatic
    👉 Check out Newsomatic here: https://1.envato.market/newsomatic
    👉 Check out Echo RSS here: https://1.envato.market/echo
    👉 Check other plugins I created, which will also be able to benefit of this update: https://1.envato.market/coderevolutionplugins

    In this video, I’ll be giving you a detailed walkthrough of the new [aicontent] Nested Shortcode Support feature and showing you how it works. With this update, you can now use nested [aicontent] shortcodes within other [aicontent] shortcodes to generate complex and dynamic content that adapts to your scraping and AI content needs.

    Here’s what we’ll cover in this video:
    ✅ What is [aicontent] Nested Shortcode Support?
    ✅ How to use nested shortcodes in Aiomatic
    ✅ Examples and use cases
    ✅ Tips and tricks for getting the most out of this feature

    This update is a game-changer for content creators, marketers, and website owners, so don’t miss out on this opportunity to take your content generation to the next level.

    👉 Get started with Aiomatic today: https://1.envato.market/aiomatic

    If you found this video helpful, please give it a thumbs up and subscribe to my channel for more updates on Aiomatic and other content generation tools. Feel free to leave a comment below if you have any questions or if you’d like to share your experience with Aiomatic’s new nested shortcode support.

    Thanks for watching, and I’ll see you in the next video!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #Aiomatic #AIContent #NestedShortcode #ContentGeneration #DynamicContent

    Aiomatic – Full AI Chatbot Tutorial

    This is a detailed tutorial for the chatbot feature of the Aiomatic plugin. Check Aiomatic here ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt />
    🤔 ABOUT THIS VIDEO 👇
    Welcome to my comprehensive tutorial on how to set up and customize an AI-powered chatbot on your WordPress website using the Aiomatic plugin! In this video, I’ll walk you through the entire process, from installing the Aiomatic plugin to configuring its behavior and appearance. Whether you’re looking to enhance customer support, automate responses to frequently asked questions, or simply add a touch of interactivity to your website, our step-by-step guide will help you achieve your goals with ease.

    With Aiomatic, you can leverage the power of OpenAI’s AI APIs and language models to create a highly intelligent and responsive chatbot that can understand and respond to user queries in a natural and engaging manner. By the end of this tutorial, you’ll be equipped with the knowledge and skills needed to create a fully functional AI chatbot that can enhance the user experience on your website.

    So, if you’re ready to take your website to the next level with an AI chatbot, join us in this tutorial and let’s get started!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #chatbot #aichatbot #aichatbots #chatbotgpt

    Revolutionize Your SEO: Aiomatic’s Auto-Linking for Seamless Internal Connections on Your Website

    The Aiomatic plugin is now able to add automatic internal links to the created posts! For more info, watch this video! Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt />
    🤔 ABOUT THIS VIDEO 👇
    Welcome to the latest Aiomatic update! In this video, I am excited to introduce you to a powerful new feature that’s going to revolutionize the way you manage internal linking on your website. With Aiomatic’s automatic internal linking feature, you can now effortlessly create relevant and contextually appropriate links to other posts and pages on your site, all with just a few clicks.

    What’s in store for you in this video:
    – A walkthrough of Aiomatic’s new automatic internal linking feature and how it works.
    – A demonstration of how you can use Aiomatic to automatically generate internal links within your content.

    Don’t forget to like, comment, and subscribe for more updates and tutorials for the Aiomatic plugin. Let’s get started!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #internallink #seolinkbuilding #linkbuilding #linkbuildingseo

    Aiomatic New Media Library Extension: It Can Be Used to Generate High Detail AI Images in WordPress

    The Aiomatic plugin got a new update, new Media Library extension: it can be used to generate high detail AI images in WordPress, for details, watch this video! Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt />
    🤔 ABOUT THIS VIDEO 👇

    In today’s video, I am really excited to introduce the Aiomatic plugin’s New Media Library Extension – a feature recently introduced in the latest update for the plugin, that allows you to generate high detail AI images right within your WordPress Media Library! Say goodbye to stock photos and tedious image editing. Discover the power of AI and how it can transform your media library experience. 🤖🖼️

    ✅ AI image generation: Dive into the magic behind the AI image generation process and how this powerful plugin harnesses cutting-edge AI technology to create stunning visuals.

    ✅ Customization and fine-tuning: Discover how to make your AI-generated images truly unique and tailored to your content with an array of customization options.

    ✅ Integration and usage: See how seamlessly the Aiomatic New Media Library Extension integrates with your WordPress site and how to effortlessly incorporate AI images into your content.

    Unlock the potential of AI in your WordPress site with the Aiomatic New Media Library Extension! Don’t forget to like, share, and subscribe to our channel for more content on AI, WordPress, and new updates for my plugins, including Aiomatic.

    🌐 Welcome to the future of AI media management in WordPress! 🌐

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #Aiomatic #MediaLibrary #WordPress #Aiimages #aiplugin

    Basics of AI Prompt Engineering for Best Quality Images

    “Prompt Engineering” is an important skill to create better generations with this text to image AI. After reading this document and applying these simple steps, you’ll be able to generate better images with the same amount of effort.

    Note: Your prompt should be in English as the AI model was only trained with English labels, and will function poorly with other languages. If you speak another language you can use a online translation tool, which should provide excellent results as it does not have to be perfect.

    1. Raw prompt

    Raw prompt is the simplest way of describing what you want to generate, for instance;

    1. Panda
    2. A warrior with a sword
    3. Skeleton

    This is the basic building block of any prompt. Most new people start by only using raw prompts, this is usually a mistake as the images you generate like this tend to get random and chaotic. It’s best to include as much detail as possible in your prompt describing exactly what you want to see in the scene.

    2. Style

    Style is a crucial part of the prompt. The AI, when missing a specified style, usually chooses the one it has seen the most in related images, for example, if you generated landscape, it would probably generate realistic or oil painting looking images. Having a well chosen style + raw prompt is sometimes enough, as the style influences the image the most right after the raw prompt.

    The most commonly used styles include:

    1. Realistic
    2. Oil painting
    3. Pencil drawing
    4. Concept art

    In the case of a realistic image, there are various ways of making it the style, most resulting in similar images. Here are some commonly used techniques of making the image realistic:

    1. a photo of + raw prompt
    2. a photograph of + raw prompt
    3. raw prompt, hyperrealistic
    4. raw prompt, realistic

    You can of course combine these to get more and more realistic images.

    To get oil painting you can just simply add “an oil painting of” to your prompt. This sometimes results in the image showing an oil painting in a frame, to fix this you can just re-run the prompt or use raw prompt + “oil painting”

    To make a pencil drawing just simply add “a pencil drawing of” to your raw prompt or make your prompt raw prompt + “pencil drawing”.

    The same applies to landscape art.

    3. Artist

    To make your style more specific, or the image more coherent, you can use artists’ names in your prompt. For instance, if you want a very abstract image, you can add “made by Pablo Picasso” or just simply, “Picasso”.

    Below are lists of artists in different styles that you can use, but we encourage you to search for different artists as it is a cool way of discovering new art.

    Portrait:

    1. John Singer Sargent
    2. Edgar Degas
    3. Paul Cézanne
    4. Jan van Eyck

    Oil painting:

    1. Leonardo DaVinci
    2. Vincent Van Gogh
    3. Johannes Vermeer
    4. Rembrandt

    Pencil/Pen drawing:

    1. Albrecht Dürer
    2. Leonardo da Vinci
    3. Michelangelo
    4. Jean-Auguste-Dominique Ingres

    Landscape art:

    1. Thomas Moran
    2. Claude Monet
    3. Alfred Bierstadt
    4. Frederic Edwin Church

    Mixing the artists is highly encouraged, as it can lead to interesting-looking art.

    4. Finishing touches

    This is the part that some people take to extremes, leading to longer prompts than this article. Finishing touches are the final things that you add to your prompt to make it look like you want. For instance, if you want to make your image more artistic, add “trending on art station”. If you want to add more realistic lighting add “Unreal Engine.” You can add anything you want, but here are some examples:

    Highly detailed, surrealism, trending on art station, triadic color scheme, smooth, sharp focus, matte, elegant, the most beautiful image ever seen, illustration, digital paint, dark, gloomy, octane render, 8k, 4k, washed colors, sharp, dramatic lighting, beautiful, post processing, picture of the day, ambient lighting, epic composition, bokeh, etc.

    5. Conclusion

    Prompt engineering allows you to have better control of what the image will look like. It (if done right) improves the image quality by a lot in every aspect.

    This Morning I Got Invited to be a ChatGPT Plugin Developer, Now I Have My First ChatGPT Plugin Done

    This Morning I Got Invited to be a ChatGPT Plugin Developer, Now I Have My First ChatGPT Plugin Done – Check NewsomaticAPI (API for which I built the ChatGPT plugin) ► https://www.newsomaticapi.com/
    Get Newsomatic plugin also ► https://1.envato.market/newsomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIjB5X927xtfa973lYFbsUBP

    🤔 ABOUT THIS VIDEO 👇
    🌍📰 In this video, I share my exciting journey of becoming a ChatGPT plugin developer and how I created my first ChatGPT plugin using NewsomaticAPI! This plugin brings you the latest news from around the world, right inside ChatGPT. Join me as I showcase the development process, features, and how you can get started with this amazing plugin! 🌍📰

    🔗 Links:
    ChatGPT: https://chat.openai.com/chat
    NewsomaticAPI: https://www.newsomaticapi.com
    My ChatGPT NewsomaticAPI Plugin: [NOT PUBLICLY AVAILABLE YET]

    👉 If you enjoyed this video, don’t forget to hit the like button and subscribe for more amazing content on ChatGPT, plugin development, and the latest news in AI technology! 🔔

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ChatGPT #PluginDeveloper #ChatGPTPlus #chatgptplugin

    Aiomatic: AI Assistant Update for Faster Post Editing in Gutenberg and Classic Editor!

    The Aiomatic plugin got a new feature, use the new AI Assistant feature to speed up post writing! For details, watch this video! Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    The AI Assistant Update is a new feature designed to speed up the post editing process in both the Gutenberg and Classic Editor interfaces in WordPress. With this update, users can take advantage of an AI-powered tool that suggests edits and improvements to their posts in real-time, making it easier to create engaging and effective content.

    The AI Assistant Update also includes a range of new features designed to improve the editing experience. For example, users can now customize the prompts the AI Assistant using, choosing to use your own commands or to use the existing ones, like editing grammar and spelling, SEO optimization, or readability and many more.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiassistant #aitool #aicontent #aieditor

    Aiomatic: AI Generated Content in ALL My Plugins! Post AI Text To Socials, Add To Scraped/News Posts

    Aiomatic just got a major update (ONCE AGIAN!) – it is now able to aid other plugins and to generated content for them directly! Check this video for details! Check Aiomatic here ► https://1.envato.market/aiomatic
    Check ALL my other plugins here ► https://1.envato.market/coderevolutionplugins

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Imagine having AI-generated content in all your plugins, from social media to scraper plugins or news posts. Well, with Aiomatic, that dream is now a reality.

    In this video, I’ll take a closer look at how the latest update of Aiomatic works and what it can do for you. I’ll explore how you can easily post AI-generated text to your social media channels, saving you time and effort while keeping your followers engaged.

    I’ll also dive into how Aiomatic can enhance your scraped or news posts, ensuring that your content is always fresh, relevant, and engaging. Say goodbye to boring, uninspired content, and hello to Aiomatic!

    But that’s not all. I’ll also show you how easy it is to integrate Aiomatic into your existing workflow, with step-by-step instructions and helpful tips. So, if you’re ready to take your content to the next level and embrace the power of AI, then this video is for you. Don’t miss out on the future of content creation – watch now and discover the endless possibilities of Aiomatic!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #wpai #aiplugin #wppluginai #wpaiplugin

    How to create AI generated content from any plugin built by CodeRevolution?

    This tutorial will help you understand how to create AI generated content from any plugin built by CodeRevolution. You will need to set up also the Aiomatic plugin and configure it (add your OpenAI/AiomaticAPI API keys in its settings) for this method to work.

    *Update April 2023*: Support for nested [aicontent] shortcodes was added, check details about this, below!

    To create AI content in any plugin, please be sure to update the plugins you are using to the latest version, be sure to search for this badge on the bottom of plugin admin menus, to be sure that this feature will work for you:

    Once you see this badge, you can get started creating AI prompts in any input field of the plugin you are using which accepts shortcodes. Example usage:

    [aicontent model=”text-davinci-003″]Write an intro for the article title: “%%item_title%%[/aicontent]

    Tutorial video:

     

    Update April 2023:

    Now you will be able to create nested aicontent shortcodes, as follows. For the aicontent shortcodes which are embedded in another aicontent shortcode, you need to add a number, which will differentiate it from other shortcodes found in the text.

    Example:

    [aicontent]Act as an AI assistant. [aicontent2]Write a AI prompt which will instruct the AI to respond to questions in a respectful way, to be sure to not offend the user[/aicontent2][/aicontent]

    You can use as many similar shortcodes, embedded in another (multiple level embedding/nesting also supported). If you nest shortcodes, be sure to differentiate them with numbers and close them accordingly.

    Example of multi-level shortcode nesting:

    [aicontent]Your initial prompt part [aicontent2]A prompt for the first level of the nested shortcode [aicontent3]A prompt for the second level of the nested shortcode[/aicontent3][/aicontent2][/aicontent]

    Tutorial video for nested [aicontent] shortcodes:

     

    Aiomatic Update: Create Partial or Full AI Written Prompts [Custom Shortcode Creator]

    The Aiomatic plugin now can write its own prompts, using AI, which will be used to generate more content! Check Aiomatic here ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt />
    🤔 ABOUT THIS VIDEO 👇
    Welcome to my latest video showcasing the new update for the Aiomatic plugin! I am thrilled to introduce you to the newest feature – “Custom Shortcode Creator” that allows you to create your own prompts for the AI content creator using AI-generated text.

    With prompt engineering, the plugin now enables you to generate custom shortcodes that can hold any AI-generated text. You can set these shortcodes as prompts for the AI content creator or even append/prepend the AI-generated post. This incredible feature is a game-changer for anyone who wants to improve their content creation process and save time.

    In this video, I will take you through a step-by-step guide on how to use the “Custom Shortcode Creator” feature. You will see how easy it is to generate your own prompts and set them up for the AI content creator to use. I will also demonstrate how you can append/prepend the AI-generated post with the shortcodes you have created.

    Summary of the custom shortcode creator feature:
    – create partial or full AI generated prompts and send it to the AI content writer
    – create content parts which will be able to be used and appended in the title/content/categories/tags of created posts

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #promptengineering #aiprompts #prompts #promptbuilding

    Aiomatic Update: Inject Chatbot to the Entire Site’s Front End or Back End

    The Aiomatic plugin was updated, in the latest version you will be able to inject the chatbot the the entire front end or back end of your site! Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Are you looking for an efficient way to improve your website’s user engagement and customer support? Look no further than Aiomatic! Its latest update allows you to seamlessly integrate a chatbot into your entire site’s front end or even WordPress admin back end.

    With Aiomatic’s advanced artificial intelligence and machine learning algorithms, your chatbot can provide instant answers to common questions, resolve customer issues, and even initiate personalized conversations to increase customer satisfaction.

    In this video, I’ll walk you through the process of injecting the Aiomatic chatbot into your website. I will cover everything from setting up your chatbot’s conversation flows to customizing its behavior to fit seamlessly into your website’s design.

    Check details in this video!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #chatbotmarketing #chatbot #chatbotexpert #chatbots

    Aiomatic Major Chatbot Related Update

    The Aiomatic plugin got a major Chatbot related update, massive amount of new features added, check it now ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt />
    🤔 ABOUT THIS VIDEO 👇
    The Aiomatic plugin just got a major Chatbot related update, check the latest version and benefit of the new features added!

    Here are the details about this latest update for the Aiomatic plugin:

    Chatbot reworked, added menu where default options can be customized with a live preview
    Chatbot new features added:
    – copy text if chat bubble is clicked
    – change chatbot form styling, text colors, background colors, form size, placeholder and submit button text
    – scroll to the bottom of the form if new messages added
    – persistent chat support improved
    – predefined chat templates support added
    Fixed fatal error at plugin activation, in some rare cases
    Added a new feature to moderate the submitted text to the chatbot using OpenAI’s AI text moderation endpoint
    Many more fixes and improvements

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #chatbot #aichat #aichatbot #aichatbots

    How to Use the New TikTok Developer Dashboard in 2023

    How to Use the New TikTok Developer Dashboard in 2023? Check details in this video! Check Tiktokomatic plugin to use the API in WP ► https://1.envato.market/tiktokomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgoJ5bPmip9_0Dh0FCIBeJ2 />
    🤔 ABOUT THIS VIDEO 👇
    Welcome to my latest tutorial on TikTok Developer Dashboard! In this video, I’ll take you through the steps of using the new dashboard in 2023, to help you create even more engaging and interactive content for your TikTok audience.

    With the TikTok Developer Dashboard, you can easily create and manage your own TikTok applications, access analytics and insights, and integrate your apps with TikTok’s powerful AI and machine learning capabilities. Whether you’re a developer, marketer, or content creator, this dashboard is an essential tool for optimizing your TikTok strategy and achieving your goals.

    In this tutorial, I’ll cover everything you need to know about the new dashboard, including how to set up your account, navigate the interface, and access all the powerful features it offers.

    By the end of this video, you’ll have a comprehensive understanding of how to use the TikTok Developer Dashboard in 2023 and take advantage of all the tools and features it offers to boost your TikTok presence. Whether you’re looking to create engaging content, improve your app’s performance, or drive more traffic to your website using the TikTok API platform, this tutorial is a must-watch.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #tiktok #tiktokapi #tiktokapp #tiktokdev

    Aiomatic Update GPT-4 API Support Added

    Aiomatic got updated, it now supports the brand new GPT-4 models. GIve Aiomatic a try here ► https://coderevolution.ro

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇

    🤔 ABOUT THIS VIDEO 👇
    In the latest update of the Aiomatic plugin, I added OpenAI’s gpt-4 and gpt-4-32k models. Please be aware: These models are still in beta, and I do not advise using them at this time. If you lack API access, you may encounter a “model does not exist” error, exactly like I do, as shown in this video.

    OpenAI is providing API access through a waiting list system. If you get slow performance in your tests, it may be due to limitations set by OpenAI on response times.

    Let me know your results while testing this feature in the comments of the video from below!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #gpt4 #gpt4model #chatgpt4 #aiomatic

    🔥Get Ready for the Ultimate Plugin Shopping Spree: March Sale LIVE on CodeCanyon with 40% OFF!⏰

    Check the plugin discounts of this Spring! 40% OFF, included plugins:
    Aiomatic ► https://1.envato.market/aiomatic
    Newsomatic ► https://1.envato.market/newsomatic
    Echo RSS ► https://1.envato.market/echo
    Crawlomatic ► https://1.envato.market/crawlomatic
    Youtubomatic ► https://1.envato.market/youtubomatic
    F-omatic ► https://1.envato.market/fbomatic

    🤔 ABOUT THIS VIDEO 👇
    Get excited because the March Sale on CodeCanyon is about to go LIVE, offering a whopping 40% discount on many popular plugins!

    If you’re looking to upgrade your website, enhance your user experience, or boost your business productivity, this is the perfect opportunity to grab some amazing deals on the latest and greatest plugins available on CodeCanyon.

    Whether you’re a blogger, web designer, developer, or entrepreneur, you’ll find a wide range of plugins that cater to your specific needs and preferences. From WordPress plugins to PHP scripts, from eCommerce plugins to social media integrations, there’s something for everyone in this exclusive sale.

    Not only will you get to enjoy massive savings on premium plugins, but you’ll also get access to a diverse community of developers and users who can provide you with valuable insights, tips, and tricks to optimize your plugin experience.

    So, mark your calendars and get ready to shop ’til you drop in the March Sale on CodeCanyon. Don’t miss out on this limited-time opportunity to take your website to the next level!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #marchsale #sale #sales #discount

    Bulk Editing of Existing Posts using AI: Revolutionize Your WordPress Content Creation with AIomatic

    Based on suggestions from you guys, Aiomatic is getting a new feature, edit existing posts from your site in bulk, using AI content editor! Check Aiomatic here ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Are you tired of spending hours manually editing your existing WordPress posts? Look no further than the AIomatic plugin update! With this new feature, you can now edit your existing posts in bulk using the power of artificial intelligence.

    The AIomatic plugin is already a game-changer in the WordPress world, providing automated content creation and optimization. But now, with the manual editing feature, you have even more control over your content.

    In this video, I will walk you through how to use the AIomatic plugin’s bulk editing feature step-by-step. I will show you how to select which posts you want to edit and how to apply the AI-powered changes.

    Additionally, I will demonstrate how the AIomatic plugin can help you translate your content to a specific language, using AI, further boosting your search engine rankings and driving traffic to your site.

    So, whether you’re a blogger, marketer, or business owner, the AIomatic plugin update is a must-have tool in your WordPress arsenal. Join us in this video to learn how to leverage the power of AI to revolutionize your content creation process.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aieditor #aiedit #aiplugin #aicontent

    ChatGPT Plus vs ChatGPT API – How will ChatGPT API usage change if I am a ChatGPT Plus subscriber?

    Please check details on how the ChatGPT Plus subscription will change the ChatGPT API usage. Use the API in Aiomatic ► https://1.envato.market/aiomatic

    🤔 ABOUT THIS VIDEO 👇
    Find out from this video how the ChatGPT API usage will change if you are a ChatGPT Pro subscriber.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #chatgpt #chatgptplus #chatgptapi #chatgpt3

    💥Breaking the Limits! Give Internet Access To the AI Writers! Check Aiomatic’s New Update!💥

    The Aiomatic plugin is updated, now you can give internet access to the AI writer! This was a feature lacking in OpenAI’s GPT models, but Aiomatic will now provide this feature! Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Welcome to my latest video on the Aiomatic plugin update! In this video, I am excited to share the breaking news about the plugin’s new feature that gives AI writers internet access to grab fresh data from the net, even after its 2021 training end date!

    With this update, you can now upgrade your content creation game and keep your AI writer up-to-date with the latest data online. Imagine the possibilities! Join me as I dive deep into the features of Aiomatic’s latest update and show you how to unleash the full potential of your AI writer, and give it access to Google’s or Bing’s search results. So, what are you waiting for? Watch the video now and give your content creation a boost!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #aicontent #aicontentwriter #aicontentcreation

    [URGENT] OpenAI just announced the GPT-4 models! Join the GPT-4 API waitlist now!

    OpenAI announced the GPT-4 models, their most capable models yet. They announced that they are starting to roll it out to API users today!

    You can join them in a live demo of the GPT-4 models, today, March 14th, at 1 pm PDT for a live demo of GPT-4 (in 10 minutes from when this video is aired), here: https://www.youtube.com/watch?v=outcGtbnMuQ

    About GPT-4
    GPT-4 can solve difficult problems with greater accuracy, thanks to its broader general knowledge and advanced reasoning capabilities.

    You can learn more through:
    – Overview page of GPT-4 and what early customers have built on top of the model: https://openai.com/product/gpt-4
    – Blog post with details on the model’s capabilities and limitations, including eval results: https://openai.com/research/gpt-4

    Availability
    API Waitlist: Please sign up for our waitlist to get rate-limited access to the GPT-4 API – which uses the same ChatCompletions API as gpt-3.5-turbo. You can sign up for the waitlist, here: https://openai.com/waitlist/gpt-4-api

    OpenAI will start inviting some developers today, and scale up availability and rate limits gradually to balance capacity with demand.

    Priority Access: Developers can get prioritized API access to GPT-4 for contributing model evaluations to OpenAI Evals that get merged, which will help us improve the model for everyone. You can create evals here: https://github.com/openai/evals

    ChatGPT Plus: ChatGPT Plus subscribers will get GPT-4 access on chat.openai.com with a dynamically adjusted usage cap. OpenAI expects to be severely capacity constrained, so the usage cap will depend on demand and system performance. API access will still be through the waitlist.

    API Pricing
    gpt-4 with an 8K context window (about 13 pages of text) will cost $0.03 per 1K prompt tokens, and $0.06 per 1K completion tokens.

    gpt-4-32k with a 32K context window (about 52 pages of text) will cost $0.06 per 1K prompt tokens, and $0.12 per 1K completion tokens.

    Livestream
    Please join OpenAI demonstrating the capabilities of the new GPT-4 models for a live demo of GPT-4 at 1pm PDT today, where Greg Brockman (co-founder & President of OpenAI) will showcase GPT-4’s capabilities and the future of building with the OpenAI API, check the live stream here: https://www.youtube.com/watch?v=outcGtbnMuQ

    The GPT-4 models will also be integrated in AIomatic, check it here: https://1.envato.market/aiomatic

    Aiomatic Whisper Audio Transcription (AI Audio to Text) + AI Text Moderation Updates

    The Aiomatic plugin was updated, now it can use a new AI Audio to Text feature and also an AI text moderation feature! Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Welcome to this exciting new video where we’ll be exploring the latest updates in AI technology. In this video, I will be introducing you to the new update for the AIomatic plugin: ability to interact with OpenAI’s Whisper AI, a cutting-edge AI tool that can convert audio to text in real-time.

    With AIomatic Whisper, you can easily transcribe your audio recordings into written text, making it an ideal tool for content creators, podcasters, and anyone who needs to convert their audio files into written documents quickly and accurately.

    But that’s not all! In this video, we will also be discussing the latest AI text moderation updates. With the rise of online platforms and social media, text moderation has become more important than ever before. With AI technology, we can now filter out inappropriate content and ensure that online conversations remain respectful and inclusive.

    Don’t miss out on this opportunity to stay ahead of the curve and discover the latest developments in AI technology, which are also integrated in the Aiomatic plugin!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #translation #audiototext #textmoderation #transcription

    Aiomatic update: Section Based Content Creation – Create High Quality, Very Long Articles Using AI

    The Aiomatic plugin is updated, a you can use a new method to create high quality very long articles. For details, watch this video! Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    In this video, we’ll be exploring the latest update from Aiomatic, which introduces Section Based Content Creation. With this powerful new feature, you can now easily create high-quality, very long articles using AI technology.

    The update makes it possible to break down your content into smaller, more manageable sections, allowing the AI to focus on generating high-quality content for each individual section. The result is a cohesive and well-structured article that flows naturally from one section to the next.

    Whether you’re a content creator looking to save time and effort or a business owner looking to generate high-quality content for your website or blog, Aiomatic’s Section Based Content Creation is a game changer.

    Join us in this video as we explore the features of this new update, and discover how you can use it to create engaging, informative, and high-quality articles with ease.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #aiarticle #aicontent #aicontentwriter

    Aiomatic Update: Usage Graphs Added – Check OpenAI API call usage and costs on a daily basis

    Based on your suggestions, I added usage graphs to the Aiomatic plugin! Check Aiomatic here ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Welcome to the latest Aiomatic Update! I’m excited to announce the addition of Usage Graphs to the plugin, which will allow you to easily track your OpenAI API call usage and costs on a daily basis.

    With the ever-increasing complexity of AI-powered applications, it’s more important than ever to have a clear understanding of how much you’re spending on API calls and how often you’re making them. That’s where Aiomatic comes in. This plugin now provides real-time data and insights into your OpenAI API usage, so you can make informed decisions about how to optimize your AI workflows and maximize your return on investment.

    In this video, I’ll take a closer look at the new Usage Graphs feature and show you how to use it to get the most out of your OpenAI API. I’ll walk you through the different graphs and metrics available, including call volume, cost breakdown, and usage trends over time. I’ll also discuss about other updates and optimizations which were done in the latest update for the plugin.

    So if you’re looking to take your AI workflows to the next level, don’t miss this video. Be sure to subscribe to my channel for more updates and tutorials on the latest AI technologies and trends. And as always, if you have any questions or feedback, feel free to leave a comment below. Thanks for watching!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiusage #aigraph #aitokens #aicost

    How to setup new API credentials in the TikTok developer console in 2023?

    These tips will help you to setup your first app in TikTok developer console in 2023 (as recently they changed it massively ) For details, watch this video! Check Tiktokomatic ► https://1.envato.market/tiktokomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgoJ5bPmip9_0Dh0FCIBeJ2

    🤔 ABOUT THIS VIDEO 👇
    TikTok developer console change a lot in the recent period and I wanted to redo the part of the tutorial video for the Tiktokomatic plugin which shows how to create and use your first developer app on TikTok, how to create and use your Client key and Client secret for the TikTok API.

    For details, check the video!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #tiktokapi #tiktok #tiktokapp #tiktokapps

    What is the difference between AI model fine-tuning and AI Embeddings?

    Let me tell you the difference between AI model fine-tuning and AI Embeddings! Both can be used in the Aiomatic plugin ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Let me tell you details in this video about AI model fine-tuning vs embeddings.
    I have been doing a lot of post-reading and watching videos on the use cases and applicability of fine-tuning vs embedding. Over this time, my understanding of whether I should or can use fine-tuning to introduce new knowledge has flip-flopped several times, however, during the period in which I added these features to the Aiomatic plugin’s functionality, I understood them in detail.

    So, basically, AI model fine-tuning is not what to you would want to use if you need an existing model to learn new information. Embedding is for this. Instead, fine-tuning teaches new structures and creates new fine-tuned models as a result.

    Check fine-tuning and embeddings in the Aiomatic plugin, in it, you will be able to create your own models and use embeddings!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #finetuning #embeddings #aimodels

    Aiomatic new feature update: Statistics, check details about each OpenAI API call made in the plugin

    The Aiomatic plugin got updated, it is now showing you details about API calls and costs! For details, watch this video! Check Aioamtic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Keep track of every AI requests, helpers to get statistics! Now you will be in full control of the API requests Aiomatic makes, as you can see how much each API request costs.

    Let me show you the latest update for Aiomatic, a powerful plugin that integrates OpenAI’s cutting-edge artificial intelligence technology into your workflow from your WordPress site. You will find a Statistics feature, which allows you to view detailed information about each OpenAI API call made through the plugin.

    With this feature, you can track and analyze your usage of OpenAI’s APIs, including the frequency and duration of each call and the types of models and parameters used. You can also identify any potential issues and optimize your workflow for maximum efficiency and effectiveness.

    Check in this video how to view and interpret the data presented, and see tips and strategies for optimizing your AI workflow.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #wpai #wpchatgpt #wpplugin

    Aiomatic: New ChatGPT Models Added to Aiomatic (gpt-3.5-turbo and gpt-3.5-turbo-0301), ChatGPT in WP

    OpenAI just released 2 new models to the public, those which are also used in the real ChatGPT. Starting from today, you will be able to them also in Aiomatic! Check Aiomatic here ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    OpenAI just released today 2 new AI models to be used from their API: gpt-3.5-turbo and gpt-3.5-turbo-0301 – these are a huge step forward, as they are 10 times cheaper than the davinci models (which were previously the best quality models available) and also provide higher quality than the older davinci models.

    Today, Aiomatic was updated and it got the ability to use these new ChatGPT models direct in WordPress. All features of the plugin now support this new model, you can use it in the ”Single AI Post Creator’, ‘Bulk AI Post Creator’, ‘AI Post Editing’, ‘ChatBot’, AI Embeddings, shortcodes & AI playground.

    ChatGPT API which is now intergrated into the plugin, is powered by the same AI model behind OpenAI’s wildly popular ChatGPT, dubbed “gpt-3.5-turbo”. GPT-3.5 is really the most powerful text-generating model OpenAI offers today through its API suite!
    The “turbo” tag refers to an optimized, more responsive version of GPT-3.5 that OpenAI’s been quietly testing in the front end of ChatGPT.

    Priced at $0.002 per 1,000 tokens, or about 750 words, the API can drive a range of experiences, including “non-chat” applications, which are all harvested in the Aiomatic plugin.

    Go ahead and check this new update, it is worth a try!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #chatgptapi #chatgptapp #chatgpt #chatgptbot

    Aiomatic update: Use Embeddings To Quickly Teach The AI Information About Your Business Or Products

    The Aiomatic plugin was updated, now it can use Embeddings to quickly teach the AI about your business or your products! Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    The ability to add AI Embeddings is coming to Aiomatic! This will allow you to teach the AI model some basic information about anything and everything. If you need the AI to know about your products or business, embeddings is the best option for you!

    Embeddings are a way to send to the AI content writer a set o pre-trained data, to give it more context about the question or prompt which was submitted to it, for which a response is awaited. These embeddings can help the model better understand language and the requirements sent in the prompt.

    When creating embeds, it’s important to keep in mind to always create a high quality data set, as this will help the AI writer to get a more correct context.

    Lets say you would like to give your AI the ability to answer specific questions about your website content, company, product or anything else, but you don’t want to go through the process of training your own AI model. In this case, the Embeddings feature is what you will need. Simply specify your statements in the Embeddings section of the plugin and they will be also sent to the AI content writer, when needed.

    If you are looking for more complex way to customize the AI content writer and to be able to “teach” the AI a large set of information (by creating your own fine-tuned model), I suggest you check the AI Model Training feature of the plugin.

    More about Embeddings
    The main steps of creating embeddings are:

    Step 0: Read this tutorial carefully and watch the tutorial video: be sure to not skip this step! Also, be sure to be clear with OpenAI’s pricing for usage of embeddings.
    Step 1: Create your data for embeddings: create as many high quality questions and answers as possible, add them on a single line, give detailed context. In this case (contrary to AI model training) you don’t need to create very large amounts of data, it is enough to enter just the information which you would like the AI model to learn about.
    Step 2: List Added Embeddings: Check and verify added embeddings and manage them to be sure they are correct.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiembeddings #embedding #embeddings #aiomatic

    Creating A Custom Fine-Tuned Model With OpenAI’s GPT-3 [Aiomatic Update]

    In this video I will show you details about how to use the Aiomatic plugin to create your own fine-tuned models with OpenAI! Check Aiomatic here ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Fine-tuning in GPT-3 is the process of adjusting a specific AI model and its parameters to better suit a specific task. This can be done by providing GPT-3 with a data set that is tailored to the task you need. For example, if you want to create a chatbot which replies similar to questions similar to Rick, from “Rick and Morty”, this feature is what you need.

    When fine-tuning a model, it’s important to keep a few things in mind, such as the quality of the data set and the parameters of the model that will be adjusted. Additionally, it’s important to monitor the performance of the model during and after fine-tuning.

    Lets say you would like to train your AI to answer specific questions about your website content, company, product or anything else. You can achieve this by fine-tuning a model using your own data! Please note, this process requires a lot of effort. Preparing a high quality data is the key here. And you need to do a lot of testing to achieve best results!

    Check this video for detailed steps on how to use the Aiomatic plugin to create your own fine tuned models and to use them in AI chatbots, AI content editing or AI content creation!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #finetuning #finetune #aifinetune #openai

    Aiomatic Update: Text Editing Feature Fixed!

    The Aiomatic plugin was updated, now you will be able to use its text editing feature in a much more efficient way! Check Aiomatic here ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    The Aiomatic plugin is now updated, you will be able to use its text editing feature in a much improved, as now it can use the text completion models to edit the text you are publishing on your site. You can paraphrase (spin), translate, summarize, rewrite for better SEO, fix grammar and many many more options by simply telling the AI what to do, in the prompts you enter in the plugin’s settings.

    Until now, the plugin used only a model from OpenAI which is in beta stage and not fully developed or released yet. Because of this, the results of the plugin were not always optimal and it could not always edit the submitted text correctly. However, the plugin is now updated, it is able to use text completion models to also edit the content of the posts, which work much better than the previous text editing models.

    Give the plugin a try, link is found in the description from above!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #aiedit #aitext #aieditor

    Aiomatic Update: “Single AI Post Creator” Feature Added!

    The Aiomatic plugin got a new feature today, it is able to manually create single WordPress posts, using AI technology!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    A new feature was added to Aiomatic: “manually” generate articles the click of a button, with customizable headings, language, and other parameters. Feel free to play around with the settings and even modify the prompts to craft exactly the content you need.

    It’s never been easier to create high-quality content for any purpose. Whether you need website copy, blog articles, social media posts, or something else entirely, Aiomatic can help. Ready to get started? Try it out today and see for yourself why Aiomatic is the go-to content generation tool for so many businesses.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #aicontentwriter #aicontent #aigenerator

    Aiomatic: Persistent Chat Update – Users Continue Their Previous Chats + Chat Logs In Admin Menu

    The Aiomatic plugin just got a new update, check the persistent chat feature! Users Continue Their Previous Chats + Chat Logs In Admin Menu
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    In this video, let me show you the latest feature of the Aiomatic plugin, that allows users to continue their previous chats seamlessly. Additionally, the chats will be able to be viewed and managed from the WordPress admin menu, where you will be able to track, visualize and delete them.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #persistentchat #chatbot #wpchatbot

    Twitter API Goes Paid: Get the Scoop on the $100/Month Price Tag

    The Twitter API is changing to a payed, subscription based access. Details in this video! Check Twitomatic ► https://1.envato.market/twitomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIjUPkrI3_in1xGoB4i8gRvG

    🤔 ABOUT THIS VIDEO 👇
    Hello everyone,

    In this video, we’re going to be discussing a major change that has recently taken place with the Twitter API. As many of you may already know, Twitter has recently announced that their API will now be a paid service, with a price tag of $100 per month. This change has caused a lot of controversy and confusion among developers, so in this video, we’re going to break down exactly what this means for you and your projects.

    First, let’s talk about why Twitter has decided to make this change. In recent years, Twitter has seen a significant increase in the amount of API usage, and as a result, they need to ensure that their API can continue to provide a reliable service for everyone. By charging for API access, Twitter can generate revenue to invest back into their infrastructure and improve the quality of the API for all users.

    Now, let’s talk about what this means for you. If you are a developer who uses the Twitter API in your projects, you will now need to pay $100 per month in order to continue using it. This fee applies to all API calls, regardless of the amount of data being used, so it’s important to carefully consider your API usage when deciding whether or not to pay for access.

    So, what are your options? If you are a small-scale developer or hobbyist, you may decide that the cost of the API is too high, and choose to look for alternative APIs that meet your needs. On the other hand, if you rely heavily on this API for your business or project, paying the $100/month fee may be a necessary investment to ensure the continued success of your work.

    In conclusion, the recent change to the Twitter API is a significant one, and it’s important to carefully consider your options before making a decision. We hope that this video has provided you with the information you need to make an informed choice about how to proceed.

    This also is affecting the usage of the Twitomatic plugin, which is able to auto post tweets to Twitter and also to import Tweets to WordPress, check it linked above.

    Thanks for watching and don’t forget to like and subscribe for more updates and news about the tech industry.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #twitter #twitterapi #twitterapipayed #twitterapp

    Aiomatic update: API Call Limits and Statistics Features Added

    The Aiomatic plugin got a much awaited update, API call limits and statistics features added!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    In this video, I will be discussing the latest update to our popular plugin, Aiomatic. Our team has been working hard to bring you the latest improvements and features to make your experience with the plugin even better. In this update, I’ve focused on two main areas: API call limits and statistics.

    First, let’s talk about the new API call limits. One of the biggest challenges when using APIs is managing the number of calls that are made – especially if the API has a pay as you go pricing plan, as they have at OpenAI API. This can be especially problematic for high-traffic websites or those that have multiple APIs integrated. With the new API call limits feature, you will be able to set limits on the number of calls that can be made, ensuring that you don’t exceed your API quotas and avoid any unwanted charges.

    Next, I have added a new statistics feature to help you better understand how your APIs are being used. The statistics feature provides you with a real-time dashboard of your API usage, including the number of calls made, the response time, and any errors that have occurred. This information is displayed in a clear and easy-to-understand format, making it simple for you to keep track of your API usage. This feature is not yet fully released (not available in current version), but I will be working on it in the upcoming period, to finish it and make it fully functional.

    I’ve also made a number of other improvements to the Aiomatic plugin. The user interface has been updated to provide a more modern and intuitive experience, and some new error handling and logging capabilities were also added.

    So if you’re already a user of the Aiomatic plugin, be sure to update to the latest version to take advantage of these new features. If you’re not a user yet, now is a great time to start!

    Thank you for watching and don’t forget to like and subscribe to our channel for more updates and tutorials on the Aiomatic plugin. We hope you find this update helpful, and as always, please feel free to reach out to us with any questions or feedback.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #wpai #wordpressai #aiplugin

    Aiomatic update: Image Chat Feature

    The Aiomatic plugin got a new update: check its Image Chat Feature!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Create a new chatbot which will respond with images to the queries of users. Give it a try now!

    This video will show you how to use the Image Chat Feature and demonstrate its benefits, such as the ability to quickly convey complex information or express emotions. Whether you are a tech enthusiast, a developer, or just someone looking for a new way to interact with technology, this video is perfect for you. Don’t miss out on the chance to learn about this cutting-edge feature and see the future of AI chat communication!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #imagechat #chat #chatbot

    Aiomatic update: Chatbot is Now Content Aware

    The Aiomatic plugin is updated, now it is aware of the post content!
    Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    In this video, you will learn about the latest updates in the field of chatbots and how they have become more content aware. This is reflected in the latest update of the Aiomatic plugin, as now it can discuss about the content of the post where the chat form is displayed.

    The video will showcase the capabilities of these new and improved chatbot from the Aiomatic plugin, which are now able to understand the context and meaning behind the user’s input and combine it with the content of the post where it is displayed, resulting in more relevant and meaningful responses. This video is perfect for tech enthusiasts, developers, and anyone who wants to learn about the exciting new developments in AI. Get ready to be amazed by the power of AI and how it is changing the way we interact with technology!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #chatbot #contentaware #contentawarechat #chat

    Introducing the Idea of a New AI Plugin I Will Build – Inspired by Your Suggestions!

    Let me talk about the latest plugin idea I have, on which I will be working in the next period – the idea was suggested by you guys, thank you for it!
    Check Aiomatic to generate AI content to your site ► https://1.envato.market/aiomatic

    🤔 ABOUT THIS VIDEO 👇
    Join me as I talk about the latest AI Content Generator Plugin that I came up with, thanks to your valuable suggestions. This plugin will use cutting-edge artificial intelligence technology to generate unique and high-quality content with just a few clicks. This content will be accessible only to users who sign up on your site (where this plugin will be installed) to a premium subscription. So, basically, it will be a membership plugin, giving access to AI content generator tools.

    Whether you’re website visitors are bloggers, marketers, or content creators, this tool will bring them a game-changer experience, that will save them time and improve their content. This is why they will want to sign up to your site’s subscription and gain access to this new AI tool.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiwriter #aicontent #aisite #aiservice

    Crawlomatic tutorial: How to use the Keyword Filtering feature for the scraped content?

    This tutorial video shows how to use the keyword filtering feature in Crawlomatic! Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />
    🤔 ABOUT THIS VIDEO 👇
    The Keyword Filtering feature in Crawlomatic allows you to filter the scraped content based on specific keywords. To use this feature, follow these steps:

    – Go to the Crawlomatic settings page
    – Scroll down to the Keyword Filtering section
    – Enter the keywords you want to filter the scraped content by, separated by a comma in the ‘Banned Words List’ or the ‘Required Words List’ settings fields
    – Select whether you want to require all or only one keyword, using the ‘Require Only One Word From Above’ checkbox
    – Select if you want to run the checking on the entire HTML content of the scraped page or only on the part you extracted from it, using the ‘Check Required/Banned Words In Scraped Content Only’ checkbox
    – Save the changes to the settings
    After this, the scraped content will be filtered based on the keywords you entered in the Keyword Filtering section. This feature is useful for getting more targeted and relevant scraped content for your website.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #crawlomatic #scraper #crawler #scrape

    Use Stable Diffusion To Add AI Generated Images To WordPress Posts [Aiomatic Update]

    The Aiomatic plugin is updated, it is able to use Stable Diffusion to create images and add them to WordPress posts! Check details in the video!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt />
    🤔 ABOUT THIS VIDEO 👇
    Good news, as I have made some major changes in the Aiomatic plugin!

    Stable Diffusion!
    Now a few words about the most important innovation of this update. In response to numerous requests from the plugin’s users, I’ve implemented full support for Stable Diffusion, an innovative technology for automatically generating fantastically beautiful images using Artificial Intelligence.

    You can specify descriptions of the desired image using ordinary human language, as if you were giving a task to a live artist. Stable Diffusion AI will generate it for you, and the Aiomatic plugin will automatically insert the resulting image into the article (as a featured image or inside the content of the article).

    Keep in mind that prompt engineering is very important when creating AI content. It allows you to better control what your images will look like. If done right, it improves image quality and composition significantly.

    Check this guide for prompt engineering: https://stability.ai/blog/stable-diffusion-public-release

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #stablediffusion #stablediffusionai #stablediffusionart #stablediffusiontutorial

    Youtubomatic Update: Multi Keyword Query Support

    The Youtubomatic plugin is updated, now it is easier to search for YouTube videos, as now it supports multiple queries in the same rule!
    Check Youtubomatic ► https://1.envato.market/youtubomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i

    🤔 ABOUT THIS VIDEO 👇
    The Youtubomatic plugin is a tool that allows you to search for YouTube videos within WordPress and create posts using the video’s content.
    The plugin has recently been updated, and one of the new features is its ability to support multiple queries in the same rule.
    This means that users can now search for multiple videos at the same time, rather than having to create separate rules for each individual search.
    This update is expected to make the process of finding YouTube videos more efficient and user friendly.
    You can use the plugin in websites and applications that are related to video content, such as blogs, forums, and social media platforms.
    Additionally, this feature of Youtubomatic is expected to save time for users who need to search for multiple videos on YouTube and create blog posts from them.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #youtubomatic #youtube #wordpress #youtubequery

    Aiomatic: some recent updates that were added to improve the functionality of the plugin

    Let me show you some of the recent updates for the Aiomatic plugin! If you have more update ideas, let me know. Check Aiomatic here ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    The latest updates for the Aiomatic plugin improves the general functionality of the AI content generator plugin. Some of the new features include the ability to add txt files containing prompts, which allows users to provide specific information for the AI to generate content around, and the ability to set the caching period for AI generated content shortcodes, allowing users to control how often the shortcodes refresh the AI generated content.
    These updates aim to enhance the functionality and usability of the plugin, providing a more efficient and tailored content generation experience.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #aicontent #ai #pluginupdate

    Join the ChatGPT API Waitlist – To be able to use it as soon as possible, after it is released!

    If you want to use the latest functionality of ChatGPT, which will be an API, sign up to the waitlist for ChatGPT API below! Check the ChatGPT API Waitlist ► https://share.hsforms.com/1u4goaXwDRKC9-x9IvKno0A4sk30
    Check Aiomatic ► https://1.envato.market/aiomatic

    🤔 ABOUT THIS VIDEO 👇
    OpenAI’s ChatGPT API coming soon! Sign up for the waitlist for it, using the link from above!

    A soon-to-be-released application programming interface (API) will make OpenAI’s ChatGPT chatbot accessible, potentially allowing enterprises to integrate it into their programs and applications. If OpenAI decides to charge for the API, this might also create a new stream of income for the company. Microsoft commercial clients will also have access to OpenAI’s ChatGPT as part of the Azure OpenAI service in addition to the API. Microsoft’s enterprise customers can integrate OpenAI’s AI models into their business applications using the OpenAI service on Azure.

    What does it mean that ChatGPT is an API?
    OpenAI shared a link to a form for programmers who are interested in using ChatGPT as an API in a Twitter announcement.

    We have been astounded by the enthusiasm for ChatGPT and the demand from the developer community for an API, the form says. Please complete this form if you are interested in learning more about the ChatGPT API and receiving updates about our new products. Other companies that register when the API becomes accessible could integrate ChatGPT into their corporate software. As an illustration, delivery companies may use ChatGPT to respond to user inquiries via the API.

    A conversational chatbot called ChatGPT was created by the business using its own GPT-3.5 big language model (LLM). In November 2022, it was made available to the general public for testing. Since then, it has mostly gone viral, with many claiming that it will alter how people seek for information.

    Due to its popularity, Google, which has its own chatbots but keeps them private, has also declared a “code red.”

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #chatgptapi #chatrgpt #openai #chatgpt3

    🔥 Envato Elements 9 USD Coupon 🙀 Valid in JANUARY-FEBRUARY 2023 ⏰ (Limited Time Offer)

    Today I share with you guys a brand new Envato Elements Coupon which will discount your first month subscription to Elements to only 9 USD! Activate the COUPON here ► https://1.envato.market/ElementsCouponWinter2023

    🤔 ABOUT THIS VIDEO 👇
    Go ahead and click the link from above and get a 9 USD subscription for Envato Elements. be sure to use a new account for signing up, as the coupon will work only for new accounts or for accounts which did not have any previous Elements subscriptions active.

    Benefit of a Envato Elements subscription Coupon for only 9$ a month for the first month!

    The coupon starts its validity in January 2023, will be valid for around 2 months and might even get extended more.

    So, if your account expires, go ahead and create a new one, using the same link and coupon code, to benefit of the same deal!

    During your Envato Elements subscription you will benefit from limitless downloads for a big pool of high quality digital assets which will be very useful in your projects.
    Enjoy millions of creative assets with the unlimited creative subscription. From graphic, web and video templates, audio, WordPress plugins, themes and much more! Go ahead and check it now using the link from above!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #elements #elementscoupon #envatoelements #coupon

    Automatically upload Shorts to YouTube! Youtubomatic latest feature update

    Check this video to learn how to automatically upload YouTube shorts to your YouTube channel! For details, watch the video!
    Check Youtubomatic ► https://1.envato.market/youtubomatic
    The first YouTube Short uploaded by Youtubomatic ► https://www.youtube.com/shorts/UWJXl5SCjIQ

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i

    🤔 ABOUT THIS VIDEO 👇
    YouTube started monetization also for Shorts, so I felt the need to update Youtubomatic, so it is also able to upload YouTube shorts!

    For successfully uploading YouTube Shorts, the videos you upload need to meet the following criteria:
    1. Their aspect ration needs to be square 1:1 or 9:16. Example resolution of the 9:16 aspect ratio: 1080 x 1920
    2. The video’s length must be shorter than 1 minute.

    If the videos uploaded to YouTube by Youtubomatic meet the above criteria, they will be automatically categorized by YouTube as Shorts!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #shorts #youtubeshorts #uploadshorts #uploadshortsvideo

    Aiomatic new ChatBot Feature! Simulate ChatGPT using a new custom AI Chat Bot!

    The Aiomatic plugin was updated, a new chatbot functionality was added to it. For details on this new chatbot, watch this video!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Introducing the newest addition to the AIomatic WordPress plugin – a powerful chatbot feature built on top of the OpenAI API! With this new feature, you website’s visitors can interact with your website in a more natural and conversational way, making it easier for them to find the information they need.

    The chatbot is not based on ChatGPT, but rather on a different AI model that has been fine-tuned for this specific use case. With this new feature, you can expect faster and more accurate responses to user queries, as well as a seamless integration with your website. Upgrade your website’s user experience today with the AIomatic chatbot feature!

    Here are some example use cases in which you can use this new chatbot feature of the plugin:

    1. Navigation: the chat bot can assist users in navigating your website by providing them with links to specific pages or sections of your site.

    2. Support: the bot can also be used as a customer support tool, answering frequently asked questions and providing information about your products or services.

    3. Lead Generation: this new chatbot can be configured to gather information from users, such as contact details, and pass them on to your sales team for follow-up.

    4. E-commerce: assist users in finding and purchasing products on your online store. It can provide product recommendations, help with checkout process, and answer any questions about the products.

    5. Personalized experience: provide personalized experience for each user by remembering their preferences and giving them recommendations based on their previous interactions.

    6. Language Translation: the chat bot feature of the plugin can be configured to support multiple languages, providing a seamless experience for users who speak different languages.

    7. Content Discovery: this new feature can help users find relevant content on your website, whether it be blog posts, videos, or other types of content.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #chatbot #chatgpt #aichatbot #openai

    Crawlomatic Scraping Paginated Posts – Real Life Plugin Use Case

    Let me show you how to scrape paginated posts from different sites, into a single post on your site, using the Crawlomatic plugin!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    If you ever wondered how to scrape paginated posts into a single resulting post on your site, this video is for you, as I will show you how to do this using the Crawlomatic plugin!

    Check plugin settings I used, below:

    Scraper Start (Seed) URL / Keywords
    https://www.loaninsurancewealth.com/rich-celebrity-houses-their-home-insurance-costs-are-unbelievable-oj/
    Content Query Type
    ID
    Content Query String
    single-entry-content
    Post Pagination Link Query Type
    Class
    Post Pagination Link Query String
    post-page-numbers
    Maximum Post Pagination Depth
    105
    Strip HTML Elements by Class
    liw-content

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #crawlomatic #scraping #pagination #scraper

    ChatGPT Pro Coming Soon, Join the Waiting List Now!

    Do you like ChatGPT? If yes, you should also sign up for ChatGPT Professional, OpenAI announced that they open up a waiting list for it! Check below!
    Join ChatGPT Pro Waiting List ► https://docs.google.com/forms/d/e/1FAIpQLSfCVqahRmA5OxQXbRlnSm531fTd8QBdUCwZag7mI9mrlOOIaw/viewform
    Check ChatGPT ► https://chat.openai.com/chat
    Check Aiomatic plugin ► https://1.envato.market/aiomatic

    🤔 ABOUT THIS VIDEO 👇
    OpenAI this week signaled it’ll soon begin charging for ChatGPT, its viral AI-powered chatbot that can write essays, emails, poems and even computer code. In an announcement on the company’s official Discord server, OpenAI said that it’s “starting to think about how to monetize ChatGPT” as one of the ways to “ensure [the tool’s] long-term viability.”

    The monetized version of ChatGPT will be called ChatGPT Professional, apparently. That’s according to a waitlist link OpenAI posted in the Discord server, which asks a range of questions about payment preferences including “At what price (per month) would you consider ChatGPT to be so expensive that you would not consider buying it?”

    The waitlist also outlines ChatGPT Professional’s benefits, which include no “blackout” (i.e. unavailability) windows, no throttling and an unlimited number of message with ChatGPT — “at least 2x the regular daily limit.” OpenAI says that those who fill out the waitlist form may be selected to pilot ChatGPT Professional, but that the program is in the experimental stages and won’t be made widely available “at this time.”

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #openai #chatgptpro #chatgpt #chatgpt3

    Aiomatic Update: Back End Playground to Write + Edit Text + Create AI Images + Front End Shortcodes

    Aiomatic got a new update, it now has backend playground functionality, play with the AI generated text and images + edit text!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    In the v1.0.9 update for the Aiomatic plugin, released today, on 2023-01-11, you will find the following new functionality, features and updates:

    Added playground capability to the backend of the plugin to generated text or images and to edit text

    Added new shortcodes:
    – [aiomatic-text-completion-form] to add a form similar to OpenAI’s Text Completion Playground, to generate AI written text based on prompts.
    – [aiomatic-text-editing-form] to add a form similar to OpenAI’s Playground, to generate AI written text based on prompts.
    – [aiomatic-image-generator-form] to add a form to generate AI images based on prompts.

    Usage example of the new shortcodes:
    Example 1: [aiomatic-text-completion-form temperature=’default’ top_p=’default’ model=’default’ presence_penalty=’default’ frequency_penalty=’default’]
    Example 2: [aiomatic-text-editing-form temperature=’default’ top_p=’default’ model=’default’]
    Example 3: [aiomatic-image-generator-form image_size=’default’]

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiplayground #aitext #aiimage #aicontent

    HeadlessBrowserAPI Update: Click on Elements Using CSS Selectors and Bypass Captchas (+ Crawlomatic)

    HeadlessBrowserAPI is now able to also click on HTML elements before scraping the pages! Check this video for details! Check HeadlessBrowserAPI ► https://headlessbrowserapi.com/
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIjDrfexapWc3M28iHwJI5tT
    and
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    Based on popular request, I updated HeadlessBrowserAPI and also the Crawlomatic plugin (which works together great with HeadlessBrowserAPI), so it can now make clicks to HTML elements from pages (by CSS selectors) and to scrape the resulting HTML content from pages.
    This will enable you to load dynamic content from pages (which use Ajax loading) or to bypass captchas which protect parts of the scraped pages.

    This feature was highly requested by you guys, so today it was added to HeadlessBrowserAPI and also to Crawlomatic!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #Scraping #scraper #headlessbrowser #advancedscraper

    Youtubomatic Update: Import Videos By Channel Handles

    The Youtubomatic plugin was updated, you are now able to import videos from channels by their handles! Check Youtubomatic ► https://1.envato.market/youtubomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i

    🤔 ABOUT THIS VIDEO 👇
    Youtubomatic is now updated, it is able to import videos from YouTube channels based on their handles!

    Since the latest update from YouTube, which introduced channel handles, getting the channel ID was a bit tricky and confusing. Today, the Youtubomatic plugin was updated, so it solves this confusion and adds a new feature, which is able to import videos from YouTube channels, directly by their channel handles (@CodeRevolutionTV).

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #youtubehandle #youtubehandlenewupdate #channelhandle #youtubehandleupdate

    Envato Elements Christmas Coupon 50% OFF Yearly Subscription – valid until 27th December 2022!

    Join Envato Elements using their yearly subscription, for only 50% of its full price! The offer is valid only until 27th of December! Join Elements ► https://1.envato.market/ElementsYearly50OFF

    🤔 ABOUT THIS VIDEO 👇
    50% Off coupon code for the Yearly Plan at Envato Elements!

    Start now with Envato Elements and save 50% on Yearly Plan. This offer is valid only until 27th of December 2022, so go ahead and grab it now! Also, keep in mind that for the coupon to work, you need to use a new Elements account, or at least an account which did not have an active Envato Elements subscription so far. So, if you have an old account with which this coupon is not working, just create a new account using a new email address and you will be able to benefit of it.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #elementscoupon #elements #envatoelements #coupon

    How to Scrape Rumble.com and Get Embedded Videos to Your Site, Using Crawlomatic?

    These tips will help you to scrape rumble.com and embed their videos to your site. If you want to learn more, watch this video! Check Crawlomatic ► https://1.envato.market/crawlomatic
    Download EmbedPress ► https://wordpress.org/plugins/embedpress/

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    Rumble.com does not currently have an official API, because of this, if you want to automate importing of videos from their platform, your only option is web scraping. The best plugin for this is Crawlomatic, as it is able to scrape videos from Rumble and embed them automatically to your site. Check this video for details on how to scrape Rumble.com and how to embed their videos automatically to your WordPress site.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #rumble #rumblecom #rumblemovie #wprumble

    AiomaticAPI New Feature: Edit Text Using AI

    A new endpoint was added to AiomaticAPI, now it is able to edit text. For details, watch this video! Check AiomaticAPI ► https://aiomaticapi.com/
    Check the Aiomatic plugin ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS API👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgU68-rQjhQw6bLgcObOjBL

    🤔 ABOUT THIS VIDEO 👇
    A meaningful part of writing text is spent editing existing content. AiomaticAPI got a new feature released, in the form of a new endpoint in called edit, that changes existing text via an instruction, instead of completing it. Editing works by specifying existing text as a prompt and instruction on how to modify it. The edit endpoint can be used to change the tone or structure of the text, or make targeted changes like fixing spelling or translation. The edits endpoint is particularly useful for coding, some examples include tasks like refactoring, adding documentation, translating between programming languages, and changing coding style.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aitext #aiedit #ai #aieditor

    Use AI to Automatically Edit (Spin, Translate, Summarize) Posts On WordPress [Aiomatic Update]

    Aiomatic was updated based on your suggestions, you will be able to automatically edit published posts using AI (spin, translate, summarize)!
    Check Aiomatic here ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Based on suggestions coming from you guys, the Aiomatic plugin was updated, it is now able to automatically edit the content of the posts you publish using AI!

    A meaningful part of writing text and code is spent editing existing content. OpenAI released a new endpoint in beta called edits that changes existing text via an instruction, instead of completing it.

    Editing works by specifying existing text as a prompt and an instruction on how to modify it. The edits endpoint can be used to change the tone or structure of text, or make targeted changes like fixing spelling or translating the text to a new language.

    The limit of this new feature is only your imagination, as you can modify the content of posts you publish in any way. You can even convert the post content you publish into a poem or even more!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiedit #aieditor #aitexteditor #aicontent

    Create AI Generated Post Titles [Aiomatic Update]

    This video will show you how to create AI generated post titles using the Aiomatic plugin. For details, watch this video! Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt />
    🤔 ABOUT THIS VIDEO 👇
    If you want to know the method on how to generate AI titles using the Aiomatic plugin in WordPress, this is the right video to watch for you, as I just updated the Aiomatic plugin, now it is also able to generate AI titles for created posts. Until now, you had to add a list of post titles which would be created using the AI content writer, however, this is changed now, besides of the static list of titles, you can also use the %%ai_generated_title%% shortcode which will create an AI generated title, based on the model and prompt you select in the advanced settings of the rule, in the plugin settings.

    This will unlock a huge opportunity to automate content creation using the Aiomatic plugin, allowing it to write articles for your site on full auto pilot.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #autoblog #aiblog #aiplugin

    How to Automatically Add AI Generated Featured Images to Posts

    Automatically create AI generated featured images for your posts! For details on how to do this, watch this video! Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    If you have ever wondered how can you save time by automatically generating featured images for your WordPress posts, this video is for you!

    I will show you a way so you don’t have to design the featured images of your posts time after time, again and again. That’s right! You can use Aiomatic to automatically create the post featured images for you and to generate a new fresh and on-topic image every time you create a new blog post.

    If you want to automatically create AI generated featured images for your posts, check this tutorial video for tips on how to do this.

    Automatically generate the Featured Image using AI, from the text appearing in the title of the post or any custom post type. Featured Image Generation From Title using AI image creators.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiimage #autoblogging #imageai #aicontent

    🆕AiomaticAPI launched! Providing an alternative for OpenAI in the Aiomatic plugin

    AiomaticAPI was just released today, it is able to replace OpenAI’s API in the Aiomatic plugin. For details, watch this video!
    Check AiomaticAPI ► https://aiomaticapi.com/
    Check Aiomatic plugin ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgU68-rQjhQw6bLgcObOjBL

    🤔 ABOUT THIS VIDEO 👇
    AiomaticAPI was launched today, to server as an alternative API for OpenAI’s GPT-3 API, which can be used in the Aiomatic plugin.

    Don’t worry, you will be able to continue using OpenAI in Aiomatic, the new AiomaticAPI will be provided just as an option, for those of you guys who select this new service instead of OpenAI’s services.

    The purpose of AiomaticAPI is to build a platform which can enrich content generated by other AI APIs (like OpenAI) and to provide higher quality content to its users.

    This new API will be undergoing heavy development in the future, so I am hoping that its content quality will surpass the quality currently offered by OpenAI.

    I have many plans for this new API, stay tuned for news!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomaticapi #aiomatic #aiapi #artificialintelligence

    Aiomatic usage suggestion: How to Create AI Content With HTML Headings and Bold Text

    These tips will help you to make Aiomatic create rich HTML content with headings and bold text. If you want to learn more, watch this video!
    Check Aioamtic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Generate an optimized article at blazing speed with the help of Aiomatic’s AI writer (OpenAI GPT-3 API). The AI writer can dramatically bring down the amount of time you would need to write a full-scale article, blog post and the effort needed to scale your content creation game to the next level.

    It’s challenging to write a blog post since you first need to decide on a topic, then plan out your outline (which refers to the various components that make up your blog post), and finally, write the content in detail. In the midst of that, you must ensure the content is straightforward and error-free. What if someone—possibly an AI writer—could handle all of this on your behalf?

    All of that is possible with our Aiomatic AI writer tool. It can assist with content creation, using rich HTML content, like headings, bold, italic and lists.

    Check the above video for info on how to make the AI writer create HTML rich texts for your site.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #aiwriter #aicontent #aicontentwriter

    Contentomatic ArticleForge Update: Extract Keywords from txt files

    The Contomatic plugin is updated, it is able to grab keywords from txt files and send them to ArticleForge! For more details, watch this video!
    Check Contentomatic ► https://1.envato.market/contentomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIjzwsk3dsrftx35Isiu1w6f

    🤔 ABOUT THIS VIDEO 👇
    Check the Contentomatic plugin, as now it is able to extract keywords from txt files and send those keywords to ArticleForge, so it can generate a unique article for the niche you selected! Check the above video for details!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #contentomatic #articleforge #articleforger #plrarticles

    Aiomatic: Lower the GPT-3 API usage costs by using the “static_content” parameter in shortcodes

    Let me show you how to lower usage costs for the Aiomatic plugin!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Let me show you in this tutorial video how to lower the usage costs of OpenAI’s GPT-3 API if you are using the Aiomatic plugin’s shortcodes to generate AI content for your posts, products or pages!

    Check this video for more details!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #aicontent #openai #gpt3

    OpenAI Released the new DaVinci-003 Model which will Offer Higher Content Quality

    New GPT-3 model released by OpenAI: text-davinci-003 – support for it is also added in Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    I am excited to announce the release of the newest addition to the GPT-3 model family: `text-davinci-003`. This model builds on top of our previous InstructGPT models, and improves on a number of behaviors of the AI content writer.

    The “text-davinci-003” model includes the following improvements:

    – It produces higher quality writing. This will help your applications deliver clearer, more engaging, and more compelling content.
    – It can handle more complex instructions, meaning you can get even more creative with how you make use of its capabilities now.
    – It’s better at longer form content generation, allowing you to take on tasks that would have previously been too difficult to achieve.

    To illustrate the improvements, check out the following example:
    `text-davinci-002`:
    PROMPT:
    I am trying to write a web application. What backend frameworks could I use, and what are their pros and cons?

    RESULT:
    There are many backend frameworks that could be used for a web application. Some popular ones include Django, Ruby on Rails, and Express.js. Each of these frameworks has its own pros and cons, so it is important to choose one that will fit the specific needs of your application.
    `text-davinci-003`:
    I am trying to write a web application. What backend frameworks could I use, and what are their pros and cons?
    1. Node.js: Node.js is a JavaScript-based runtime environment that is popular for writing backend applications. Pros: Node.js is fast, lightweight, and easy to learn, and it has a large community of developers. Cons: Node.js can be difficult to debug and there is a lack
    of robust tools for building large-scale applications.
    2. Django: Django is a popular Python-based web framework. Pros: Django is powerful and well-documented, making it easy to get started. It also supports a wide range of databases and APIs, allowing you to easily integrate with other services. Cons: Django can be difficult to scale for large applications and can be slow for certain types of requests.
    3. Ruby on Rails: Ruby on Rails is a popular web framework based on the Ruby programming language. Pros: Ruby on Rails is easy to learn and can be used to quickly build powerful web applications. It also has a wide range of built-in features, such as authentication and authorization. Cons: Ruby on Rails can be slow and resource-intensive, and it can be difficult to scale.

    Starting today, you can access `text-davinci-003` through the Aiomatic plugin and OpenAI’s playground at the same price as the other DaVinci base language models ($0.0200 / 1k tokens).

    I am excited to see how you build with it, and I look forward to hearing your feedback!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #openai #gpt3 #davinci #aicontent

    How to create a good “seed” (prompt) command for Aiomatic image generating (for OpenAI Dall-E API)?

    If you’re new to using the Aiomatic plugin, you will be able to tweak the seed (or prompt) expression which is sent to OpenAI’s Dall-E API, based on which it will create images for use in posts.

    Using a good seed command is crucial in getting back quality images from the AI image generator. In the seed command, you should tell the AI exactly what it should do for you.

    Here is a good example of a seed command you can use in the plugin:

    A high detail photograph of: “%%post_title%%”

    Keep in mind, that you can use the following shortcodes here: %%post_title%%, %%random_sentence%%, %%random_sentence2%%, %%blog_title%%.

    You can also add a link to a TXT file, containing keywords (one per line), or to an RSS feed. If you use RSS feeds, you can also use the following additional shortcodes: %%post_content%%, %%post_content_plain_text%%, %%post_excerpt%%, %%post_cats%%, %%author_name%%, %%post_link%%.

    Update in latest plugin versions: nested shortcodes also supported (shortcodes generated by rules from other plugins).

    While DALL·E is continually evolving and improving, there are a few things you can do to improve your images right now.

    For discovering how you can design the best prompts for DALL·E, or find out best practices for processing images, I can also recommend you check the following resources from OpenAI’s part:

    For more updates, tips and tricks, I suggest you also check the Aiomatic plugin’s playlist on YouTube.

    How to create a good “seed” (prompt) command for Aiomatic text generating (for OpenAI GPT-3 API)?

    If you’re new to using the Aiomatic plugin, you will be able to tweak the seed (or prompt) expression which is sent to OpenAI’s GPT-3 API, based on which it will create its content.

    Using a good seed command is crucial in getting back quality content from the AI content writer. In the seed command, you should tell the AI exactly what it should do for you.

    Here is a good example of a seed command you can use in the plugin:

    Write an article in English using HTML with H2,H3,lists and bold,about: “%%post_title%%”.

    If you need content in other languages, replace English with your own language, as in the example below:

    Write an article in Spanish using HTML with H2,H3,lists and bold,about: “%%post_title%%”.

    Keep in mind, that you can use the following shortcodes here: %%post_title%%, %%random_sentence%%, %%random_sentence2%%, %%blog_title%%.

    You can also add a link to a TXT file, containing keywords (one per line), or to an RSS feed. If you use RSS feeds, you can also use the following additional shortcodes: %%post_content%%, %%post_content_plain_text%%, %%post_excerpt%%, %%post_cats%%, %%author_name%%, %%post_link%%.

    Important! The length of this command should not be greater than the max token count set in the settings for the seed command.

    Check the below video for tips on how to improve content quality:

    Update in latest plugin versions: nested shortcodes also supported (shortcodes generated by rules from other plugins).

    Also, there are a few resources from OpenAI’s part, which I suggest exploring. The Quickstart Tutorial and Completion guide are great places to start. You can also refer to OpenAI’s Examples page to find prompt templates most similar to your use case, which you can then tweak as needed.

    Finally, you can also visit OpenAI’s community forum, where you can ask questions, share tips, and connect with fellow API users.

    For more updates, tips and tricks, I suggest you also check the Aiomatic plugin’s playlist on YouTube.

    💥Crawlomatic Update💥: Google News Scraping Support Added!

    A much awaited update landed for Crawlomatic! Google News scraping support added! For details, watch this video! Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    Since Google added thousands of sources to its Google News search engine, it hass become an excellent source for grabbing news articles. However, because you can’t access Google News through the Google API, you’ll have to scrape your results from the HTML of a Google News results page.

    The latest update for Crawlomatic will provide a lightweight method that scrapes article data from Google News. Simply pass a Google News URL, and the results are returned as WordPress posts published on your site.

    The Google News Scraper of Crawlomatic allows you to extract news metadata such as title, link, source, publication date, image and full article content. Give it a try now!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #scraper #googlenewsscraping #googlenews #googlenewsscraper

    How to Apply a Coupon Code on Envato Elements Checkout?

    Let me show you a bulletproof method to apply coupon codes on the Envato Elements checkout screen! For details, watch this video!
    Subscribe to Envato Elements (50% OFF, limited time offer) ► https://1.envato.market/Envato-Elements-Sale

    🤔 ABOUT THIS VIDEO 👇
    If you have an Envato Elements coupon code (Envato Elements support might hand these coupon codes out to you), I will show you a precise method to apply this coupon code on the Envato Elements checkout page, as they don’t have a specific input field on their checkout page, where coupon codes could be entered.

    Because of this, the coupon code needs to be entered into the URL of the checkout page, as in the example below:

    https://secure.elements.envato.com/subscribe?ct=smp&lang=en&steps=false&renewalInterval=month&coupon=YOUR-AWESOME-ENVATO-ELEMENTS-COUPON

    Don’t forget to replace the YOUR-AWESOME-ENVATO-ELEMENTS-COUPON part of the above URL with your actual coupon code for Envato Elements!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #envatoelements #elementscoupon #coupon #elements

    Aiomatic Update: Add Your Own List of Headings or Images

    The Aiomatic plugin is updated, now it allows you to set a static list of headings and images to be added in the AI generated content!
    Check Aiomatic here ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Based on suggestions from your part, I added a new feature in the Aiomatic plugin, so you will be able to add your own list of images or headings which will be added inside the AI generated content of posts.

    Give this new feature a try! If you haven’t had the chance to grab a license of the plugin, now is the time, as it is currently 50% discounted during the Cyber Week period: https://1.envato.market/aiomatic

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aicontent #aiwriter #gpt3 #openai

    [Free File of the Month] WP Setup Wizard Plugin Free Download

    Envato selected WP Setup Wizard plugin to be available for free for a limited period! Grab it while the offer lasts! Check the link below!
    Grab WP Setup Wizard ► https://1.envato.market/WPSetupWizard

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIjOiZM2FQJJMiroKAraOR2o

    🤔 ABOUT THIS VIDEO 👇
    Do you know that the Envato marketplace brings you free premium files each month? You can download the files you like absolutely for free.

    Envato selects regularly plugins to be offered for free to Envato users and this month, WP Setup Wizard was selected! This item is available free until November 25, 2022 23:59 AEDT +11:00!

    By downloading this item, you agree to the terms of the Regular License. Support and updates are not provided for free files.

    How To Download Envato Free Files?
    Downloading Envato free files is very simple. I will explain the whole procedure in the steps below.

    Step 1: The first step is to register on the Envato website. It’s compulsory as you can only get the download link once registered. Registration is free and you are not liable to make any purchases. Once registered on the Envato website, you will have access to all the available marketplaces from this single Envato account.

    Step 2: The second step is just to visit the URL of the Free file. You will get the download link on the item page instead of the “Buy It Now” button.

    So, what are you waiting for! Go and grab your favorite free Envato file today before the freebie offer expires.

    Note: As explained above, Envato offers free files each month. Therefore, these free files will also expire at the end of the month. So, act now to download them before the end of this month.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #envato #envatofreefile #codecanyon #codecanyonfreefile

    Youtubomatic update: Create YouTube Community Posts directly from WordPress!

    The Youtubomatic plugin is updated with a highly requested feature, now you will be able to post to your YouTube Community Tab!
    Check Youtubomatic ► https://1.envato.market/youtubomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i

    🤔 ABOUT THIS VIDEO 👇
    How to Auto-Post To YouTube Community From WordPress? Using the newest feature added to Youtubomatic!

    YouTube Community is a great way to connect with other YouTubers, which enables them to engage with their audience in a manner that goes beyond the traditional video format. In this blog, we will show you how to auto-post to YouTube Community from WordPress by using the Youtubomatic plugin.

    There are some requirements!
    Your channel must have more than one thousand subscribers in order for it to be eligible for a Community tab on YouTube. After reaching this milestone, it may take up to a week for the Community tab to become visible on your channel.

    You should be aware that if your channel has more than one thousand subscribers, but the Community tab option is not yet accessible on your channel, you will need to allow custom channel layouts in order to display the tab. Before sharing your content on YouTube, you should know the best time to post on YouTube. By knowing this, your content will reach more audience.

    To make this feature work, you will need to get the values of 3 cookies from your YouTube account.
    Check the required steps, below:

    – Open a new tab in your browser labeled “Incognito.” To launch the Incognito tab in Chrome, hit the Ctrl key, followed by Shift, and then the N key.
    – Navigate to the Dashboard of your YouTube Channel after you have logged in to your YouTube Studio account;
    – To inspect an element, either use the F12 key on your keyboard or right-click, and then navigate to the Application tab inside the window that has appeared;
    – Navigate to the Cookies section using the menu on the left.
    – Close the browser tab without logging out of your account and copy the value of the “LOGIN INFO,” “__Secure-3PAPISID,” and “__Secure-3PSID” cookies;
    – Paste the values of these cookies into the plugin’s settings, as shown in the video.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Aiomatic New Feature: Use Dall-E API to Generate Images or Art using AI

    Aiomatic can use DALL·E 2, which can create original, realistic images and art from a text description. Give it a try now!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt />
    🤔 ABOUT THIS VIDEO 👇
    OpenAI recently released a new API which grants access to the power of the Dall-E engine, which can create original, realistic images and art from a
    text description. It can combine concepts, attributes, and styles.
    DALL·E 2 has learned the relationship between images and the text used to describe them. It uses a process called “diffusion,” which starts with a pattern of random dots and gradually alters that pattern towards an image when it recognizes specific aspects of that image.

    DALL·E 2 began as a research project and is now available in beta.

    Access is granted also to the users of the Aiomatic plugin, dive into the full power of the Dall-E 2 engine! Check Aiomatic using the link from above.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #dalle2 #dalle #openai #aiimage

    Crawlomatic Sitemap Scraper Update: Parse Sitemap Indexes and Even Robots.txt Files

    The Crawlomatic plugin was updated, now it is able to parse also sitemap indexes (containing multiple sitemaps) and also robots.txt files!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    The sitemap scraper feature of Crawlomatic was updated, now it is able to scrape also sitemap indexes and even robots.txt files and extract any sitemaps linked in them and parse them for post links.

    Using this feature you will be able to fully scrape any website and extract all its content.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #scraper #sitemapscraper #sitemap #scraping

    How to Install Puppeteer on Your (DigitalOcean) Server in 2024

    These steps will show you how to install Puppeteer on your DigitalOcean or other server, in 2022. For details, watch this video!
    Tutorial on how to install Puppeteer ► https://coderevolution.ro/knowledge-base/faq/how-to-install-puppeteer-globally-on-a-digitalocean-droplet/
    Check Crawlomatic ► https://1.envato.market/crawlomatic
    HeadlessBrowserAPI (cloud Puppeteer service) ► https://headlessbrowserapi.com/
    Create a website on DigitalOcean ► https://m.do.co/c/78332a7b4ad2

    🤔 ABOUT THIS VIDEO 👇
    Puppeteer was updated and it got many breaking changes, meaning that it is no longer possible to install it using the same commands which worked back in 2020. Because of this, I updated this tutorial video, showing you guys how to install Puppeteer on your DigitalOcean server in 2022.

    If you have questions, let me know in the comments!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #digitalocean #puppeteer #vps #headlessbrowserapi

    Newsomatic Update: Many Additional News Sources Added to NewsomaticAPI

    Many news sources were added to the Newsomatic plugin! Check the supported news sites list below!
    Check Newsomatic ► https://1.envato.market/newsomatic
    Check supported news sites list ► https://newsomaticapi.com/sources

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs

    🤔 ABOUT THIS VIDEO 👇
    The Newsomatic plugin got a new update, it had a large list of news sources added to its source list, now it is able to import news articles from a very wide range of source news websites.

    Check the full list using the link from above. If you have more news sites in mind, let me know in the comments of this video (don’t share website URLs, as YouTube will not allow links in the comments, share only website names).

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #newsomatic #newsblog #newswebsite #newssite

    How to get a DailyMotion API key in 2022? DMomatic updated tutorial

    In this video I will show you how to get a DailyMotion API key in 2022. Check DMomatic here ► https://1.envato.market/dmomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhfRjeKYQWEi-F_TxaxM6Ga

    🤔 ABOUT THIS VIDEO 👇
    DailyMotion has changed its developer interface, so you can get a DailyMotion API key in another place than it was possible back in 2017. Now, in 2022, you should follow the steps shown in the above video, to get access to your DailyMotion API credentials, API key and API secret.

    As a DailyMotion Partner, you’re able to useour different APIs to access, publish and modify data on the Dailymotion Platform.

    In this video you will get more information about how to get a API key and secret.

    Required steps:

    Go to your Partner HQ and click on Organization from the navigation menu
    Click on API Keys and select Create API Key
    Select the type of API key you would like to create
    Fill the form with your API key information (title, callback, description…)
    Click Create

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #dailymotion #dailymotionapi #dmomatic #dailymotionstatus

    Add related videos and images into the AI generated content? Bonus tip: how to use nested shortcodes

    Let me show you how to add related images and videos into the AI generated content using Aiomatic!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt />
    🤔 ABOUT THIS VIDEO 👇
    The latest update of Aiomatic will bring to it the ability to add related images and videos into the AI generated content.

    Check this feature in detail in the above tutorial video.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #AI #AUTOBLOGGING #AIAUTOBLOGGING #autobloggingai

    Aiomatic update: YouTube API key no longer required to add a related YouTube video to content

    The Aiomatic plugin got updated, it does not require any more a YouTube API key to get related videos for created AI written posts.
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Until now, the Aiomatic plugin required a YouTube API key if you wanted to use the related video feature of the plugin, which added a related YouTube video embedded to the content written by the AI writer.
    However, in the latest update, the YouTube API key is no longer required, now it will be able to get YouTube related videos without an API key.

    Check this video for details!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #youtubeapi #relatedvideos #relatedvideo #youtubeautomation

    Aiomatic, Newsomatic, Crawlomatic, Echo Update: import images from Google Images Search

    Multiple plugins got updated today, they all got support for Google Images Search (with the Creative Commons flag set)!
    Check Aiomatic ► https://1.envato.market/aiomatic
    Check Newsomatic ► https://1.envato.market/newsomatic
    Check Crawlomatic ► https://1.envato.market/crawlomatic
    Check Echo RSS ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇
    The Echo RSS, Aiomatic, Newsomatic and Crawlomatic plugins are all now updated, they got a new feature to import content from Google Image Search (with the Creative Commons flag set for search – to not have copyright issues with the images).

    Also, a new shortcode was added to all plugins: %%random_image[keyword]%% – this will automatically search for a random image from Google Image Search, based on the keyword you add in the above shortcode.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #googleimagesearch #imagesearch #googleimagesearch
    #googleimage

    How to Enable Right Click on Any Protected Website?

    In this tutorial video I will show you how to enable right clicks on protected websites.

    Have you ever opened a website that didn’t let you right-click to open the context menu? It is annoying, but many websites block right-click context menu to prevent users from copying content.

    Enable Right-Click on Websites That Disable it:

    I will show you how to re-enable the full right-click context menu on all websites. It will allow you to not only copy text but also image and video URLs. These methods work on pretty much all major desktop platforms, including Windows, macOS, and Linux.

    Chrome Extensions I used in the video:

    Enable Right Click for Google Chrome: https://chrome.google.com/webstore/detail/enable-right-click-for-go/ofgdcdohlhjfdhbnfkikfeakhpojhpgm/related

    Quick JavaScript Switcher:
    https://chrome.google.com/webstore/detail/quick-javascript-switcher/geddoclleiomckbhadiaipdggiiccfje

    Check the Crawlomatic plugin (website scraper WordPress plugin I created): https://1.envato.market/crawlomatic

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #enablerightclick #rightclick #rightclicks #rightclickenable

    URL to RSS Update: Add Only the Links of Scraped Content to the Created RSS Feeds in WordPress

    The URL to RSS – Custom Curated RSS Feeds plugin is updated, now it is able to add in the created RSS feeds only the crawled links!
    Check the URL to RSS plugin ► https://1.envato.market/customcuratedrss

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhcqmfD8bXRqr93N5Hoj-zf

    🤔 ABOUT THIS VIDEO 👇
    The URL to RSS plugin will help you to create a custom RSS feed in WordPress.
    Today, it got a cool new feature, which will be useful especially if you don’t need the title, content and other meta data for scraped URLs in the created RSS feeds, but only the links which the plugin would crawl and scrape.

    Like this, you can lower the resource usage of the plugin when scraping websites and creating RSS feeds from them, as the plugin will scrape only the source website, extract links from it and add the resulting links to the created RSS feed, as feed items, without visiting them one by one and scraping their content (this will be skipped).

    I hope this new feature will be useful for you guys!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #rssfeed #rsscreator #rssapp #scraperss

    Crawlomatic major update: Automatic Updating and Rescraping for Scraped Data

    Crawlomatic once again got another major update, now it will also be able to automatically update scraped content, if it changed on the source site!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    Based on many requests from you guys, I updated the Crawlomatic plugin, now it is able to automatically update the scraped posts, pages or products if they source site changed. So, you will be able to automatically update the scraped data if it changed on the source site.

    Like this, you will be able to keep the scraped content fresh each time it changes on the source website.

    Another update that this new feature brings is that if the source websites are not available any more, the plugin can set the scraped posts as draft. This is useful, for example, if the scraped product is no longer available on the source site and in this case, you want automatically to remove the product also from your site.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #scraper #crawler #crawing #scraping

    How to add AI generated content to existing posts? Solution: combine Aiomatic and Kraken Post Editor

    Let me show you how to automatically add AI generated content to posts/products which are already published on your site.
    Check Aiomatic ► https://1.envato.market/aiomatic
    Check Kraken ► https://1.envato.market/kraken

    🤔 ABOUT THIS VIDEO 👇
    If you have posts/products or other post types which are already published on your site, you can use the Aioamatic plugin together with the Kraken plugin, so AI generated content is added automatically to posts or products which are already published on your site, without the need to edit them one by one, manually.

    You can use the Aiomatic plugin and the Kraken Automatic Post Editor plugin for this purpose. Check the links from above to grab them.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aicontentwriter #addaicontent #aicontent #ai

    TextRazor API integrated into my autoblogging plugins for better matching royalty free images

    Many of my plugins are now updated, to get better matching royalty featured images generated for created posts. For details, watch this video!
    Check Aiomatic ► https://1.envato.market/aiomatic
    Check Newsomatic ► https://1.envato.market/newsomatic
    Check Echo RSS ► https://1.envato.market/echo
    Check Crawlomatic ► https://1.envato.market/crawlomatic
    Check Youtubomatic ► https://1.envato.market/youtubomatic
    Check TextRazor ► https://textrazor.com

    🤔 ABOUT THIS VIDEO 👇
    The plugins listed above are now updated, they are able to use the TextRazor API to extract the most relevant keywords from titles of posts, so they will be able to get assigned the most relevant featured image possible, from the royalty free featured image importing sources (like Pixabay, Pexels, Flickr).

    This will help increase the accuracy of royalty free images which are scraped from sites and assigned to autogenerated posts. Check this video for details!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #royaltyfreeimage #royaltyfreeimages #textrazor #improvement

    Crawlomatic 50% discounted for one week!

    The Crawlomatic plugin is 50% discounted for a limited period!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    Envato just selected Crawlomatic to be added to a flash discounting period which will grant a 50% discount until 16th October for Crawlomatic.

    Crawlomatic is the most powerful scraper plugin for WordPress. It can scrape any website, even those which use heavy JavaScript rendering of pages, as it is able to connect with Puppeteer installed on your site or to HeadlessBrowserAPI, which is a cloud based Puppeteer instance.

    Check the discount while it lasts: https://1.envato.market/crawlomatic

    You name it, you scrape it!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #crawlomatic #discount #promotion #discountsale

    Aiomatic update: import titles and keywords from text files uploaded to your server

    Aiomatic was updated, now it is able to use a list of keywords/titles from txt files uploaded to your server. Check this video for details!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Based on your suggestions, the Aiomatic plugin is now updated, it is able to use keywords found in txt files which are uploaded to your server.

    Simply paste the keywords you wish to use in the plugin to a txt file (one keyword per line) and upload it to your server. You can use the link of that specific txt file in the settings of the plugin and it will be able to extract the titles from it and use the AI content writer to generate content for these titles.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #aicontent #aiwriter #aicontentwriter

    Aiomatic update: Add Related Headings, Images and Videos to the AI Generated Article

    The Aiomatic plugin got new features based on your suggestions, it is now able to add related headings, images and videos to the AI written content!
    Check Aiomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Based on your suggestions, I updated the Aiomatic plugin, now it can create articles and add to them also related headings (by scraping “People Also Asked” questions from search engines), images (from royalty free image sources) and related YouTube videos.

    Also, the [aiomatic-article] shortcode was updated, now it is able to generate also static content and replace the shortcode by the generated content also in the back end of WordPress.

    In this video I explain how these new features will work, check the video for details!

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aiomatic #aiwriter #aicontent #aicontentwriter

    How to create a Google Search RSS Feed for any query you make

    This video will show you how to use the URL to RSS plugin to create RSS feeds for any Google Search you make! Check this video for details!
    URL to RSS Plugin ► https://1.envato.market/customcuratedrss
    HeadlessBrowserAPI ► https://headlessbrowserapi.com/
    How to Install Puppeteer On Your Server ► https://www.youtube.com/watch?v=KNOIJA4pTQo

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhcqmfD8bXRqr93N5Hoj-zf

    🤔 ABOUT THIS VIDEO 👇
    The URL to RSS plugin, you probably know this, offer an easy way for you to create RSS feeds from the Google search results of any query. This is a good option if you are looking to monitor when new web pages are indexed by Google that match your search query.
    This will make your server a true Google Search scraper, as you will be able to create an RSS feed for any Google Search, from any search query keyword.
    Note that for this method to work, you will need the Custom Curated RSS Feeds plugin for WordPress and also Puppeteer installed on your server. If you don’t have a way to install Puppeteer, you can also use a cloud version of Puppeteer, using HeadlessBrowserAPI (linked above).

    Check this video for more details!

    Settings used in the plugin:

    Scraper Start (Seed) URL
    https://www.google.com/search?q=football+players

    Do Not Scrape Start URL:
    checked

    Seed Page Crawling Query Type:
    Class

    Seed Page Crawling Query String:
    yuRUbf (this might need to be changed, depending on your settings, check video for details)

    Do Not Crawl External Links:
    UNCHECKED

    Content Scraping Method To Use:
    Puppeteer

    URLs to Not Crawl and Import
    https://translate.google.com

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #googlescraper #googlesearchrss #googlerssfeed #googlerss

    Method: How to Create Your Own Google Trends RSS Feeds

    This video will give tips on how to create your own Google Trends RSS Feeds. Check this video for details!
    URL to RSS Plugin ► https://1.envato.market/customcuratedrss
    HeadlessBrowserAPI ► https://headlessbrowserapi.com/
    How to Install Puppeteer On Your Server ► https://www.youtube.com/watch?v=KNOIJA4pTQo

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhcqmfD8bXRqr93N5Hoj-zf

    🤔 ABOUT THIS VIDEO 👇
    Create your own Google Trends RSS Feed
    Google Trends shows what people are searching, it is great tool to see what is hot today. Using this method, you will be able to create your own RSS feeds for Google Trends.
    Note that for this method to work, you will need the Custom Curated RSS Feeds plugin for WordPress and also Puppeteer installed on your server. If you don’t have a way to install Puppeteer, you can also use a cloud version of Puppeteer, using HeadlessBrowserAPI (linked above).

    Check this video for more details!

    Settings used in the plugin:

    Scraper Start (Seed) URL
    https://trends.google.com/trends/trendingsearches/realtime?geo=GB&category=all

    Do Not Scrape Start URL:
    checked

    Seed Page Crawling Query Type:
    Class

    Seed Page Crawling Query String:
    summary-text

    Do Not Crawl External Links:
    UNCHECKED

    Content Scraping Method To Use:
    Puppeteer

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #googletrends #rssfeed #googletrendsrss #rssfeedcreator

    Crawlomatic Update: Run Regex on Full HTML Content Feature

    The Crawlomatic scraper plugin was updated, you will be able to run Regex expressions on scraped HTML content directly!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    If you’ve dealt with text-based data before, you may be no stranger to how a messy dataset can make your life miserable. The fact that most of the world’s data comes in nonstructural form is an ugly truth to be known sooner or later. In this video, we will talk about what RegEx (regular expression) is, what you can do with RegEx, and some specific examples with the new update for Crawlomatic, which will be able to run these expressions also on the raw HTML content.
    This will help you to match, replace or remove any part of the HTML pages.

    If you have more ideas or suggestions for this plugin or for any other plugin I created, let me know in the comments of this video! Check all my plugins here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #crawlomatic #regularexpressions #regex #regularexpression

    Echo RSS keywords to categories or tags – new feature

    Based on your suggestion, I added a new feature to the Echo RSS plugin, it can now add categories and tags based on keywords found in posts!
    Check Echo RSS ► https://1.envato.market/echo

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    🤔 ABOUT THIS VIDEO 👇
    This new update for the Echo RSS plugin will allow you to set categories or tags to created posts from RSS feeds based on keywords which can be found in the posts title or content.
    This feature was suggested by you guys and I thank you for the idea.

    If you have more ideas, let me know in the comments section of this video and I will be glad to consider implementing it.

    Check my full plugin portfolio: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #rssfeed #keywords #categories #tags

    Comparing rss.app and the URL to RSS Plugin – Which is Better and Why?

    Today I will compare the rss.app service and the URL to RSS plugin, as both do the same job, create custom RSS feeds for any site!
    Check the URL to RSS Plugin ► https://1.envato.market/customcuratedrss
    Check the rss.app service ► https://rss.app/

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhcqmfD8bXRqr93N5Hoj-zf

    🤔 ABOUT THIS VIDEO 👇
    Today I will compare the rss.app service with the URL to RSS – Custom Curated RSS Feeds plugin, as both are similar, they will allow you to create RSS feed for any webpage you need. All you need is to make several mouse button clicks.

    rss.app is pretty straight forward, it can create an RSS feed from a web page. You do not need any skill. Just input the address of a page, choose a suitable version from proposed and you will get a feed. However, the price of is is much higher than the price of the URL to RSS plugin, also, rss.app has a subscription based model, you have access to it only if you pay monthly for it. While the URL to RSS plugin is cheaper and it is also a one time payment.

    Besides of this, in rss.app you will face many limitations including in number of created RSS feeds and also in their content, however, in the URL to RSS plugin, you will not face these limitations.

    Which is better and why? Check the above video for more info!

    If you have ideas or suggestions, let me know in the comments below!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #rssapp #rssgenerator #rss #rssforanysite

    Crawlomatic tutorial: How to Scrape Netflix Upcoming Releases

    This video will show you how you will be able to scrape Netflix upcoming movies list using Crawlomatic and HeadlessBrowserAPI/Puppeteer.
    Check Crawlomatic ► https://1.envato.market/crawlomatic
    Check HeadlessBrowserAPI ► https://headlessbrowserapi.com/

    Settings I used in the Crawlomatic plugin:

    Scraper Start (Seed) URL / Keywords: https://media.netflix.com/en/
    Content Scraping Method To Use: Puppeteer (HeadlessBrowserAPI)
    Do Not Scrape Seed URL: checked
    Seed Page Crawling Query Type: Class
    Seed Page Crawling Query String: item-enter-done
    Content Query Type: ID
    Content Query String: AppContainer
    Strip HTML Elements by Class: jss62 jss68,jss173,jss336 jss169 jss337

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    Extract and scrape Netflix new released movies with the Crawlomatic plugin combined with HeadlessBrowserAPI or Puppeteer (which needs to be installed on your server). Crawlomatic can also be a real Netflix scraper.
    Netflix provides video streaming, one type of media streaming in which video files are continuously offered to remote users using the Internet. Netflix assists the users in watching interesting videos without downloading the videos on their host device or computer.
    Using this method, you can scrape info about the latest released videos on Netflix. Give it a try now.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #netflixnews #newonnetflix #netflixmovies #netflixmovies

    Crawlomatic update: Now Showing Which URL it Displays in Visual Selector

    The Crawlomatic plugin got a new update, it will show which URL it displays in the Visual Selector, if the URL is crawled from the content.
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    Based on popular request from your part, I updated the Crawlomatic plugin to make it display the URL it displays in the Visual Selector, if the URL is extracted from the content of the crawled pages.

    This will make using the visual selector much easier, as you will be able to understand which URL is currently displayed on the page.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #visualselector #AUTOBLOGGING #crawler #scraper

    Crawlomatic update: MASS Scrape Links using TXT Files

    The Crawlomatic plugin was updated, now it is able to MASS scrape links, using TXT files you create. For details, watch this video!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    Based on suggestions from you guys, I updated the Crawlomatic plugin, now it is able to scrape links from TXT files which are uploaded to your servers. Just create a text file with links you wish to scrape (one per line) and upload the txt file to your server + point the plugin to the uploaded file.
    As a result, Crawlomatic will automatically extract the links from the txt file and scrape them all!

    If you have more ideas or feedback, let me know in the comments of this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #scraper #scraping #scrapers #crawler

    How to get my BestBuy affiliate/publisher ID?

    Bestbuyomatic supports importing items from BestBuy on auto-pilot and adding affiliate links to the link URLs.

    Steps to get the affiliate ID for BestBuy:

    1- to make commissions, you should apply as an affiliate for BestBuy, on Impact Radius: https://impact.com/

    2- once applied,visit your affiliate dashboard here and click on the link icon on the left

    Impact Radius

    3- Copy the first numeric value from the displayed link between the two slashes. This is the publisher ID that should be added to the settings page of the plugin. in my case, it is 1804192

    Good News: OpenAI got 3x cheaper! AIomatic usage also got much cheaper

    Inflation is souring around the world, however, some services manage to get cheaper even in these circumstances. Check this video for details!
    Check AIomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    OpenAI has reduced the price per token for the standard GPT-3 and Embeddings models. Fine-tuned models are not affected. For details on this change, please see the pricing page of OpenAI: https://openai.com/api/pricing/

    These changes took effect on September 1, 2022 00:00:00 UTC.

    The change affects our standard GPT-3 and Embeddings models. Fine-tuned models are not affected. As of August 2022, these models include:

    text-davinci-002
    text-curie-001
    text-babbage-001
    text-ada-001
    davinci
    curie
    babbage
    ada
    text-similarity-ada-001
    text-similarity-babbage-001
    text-similarity-curie-001
    text-similarity-davinci-001
    text-search-ada-doc-001
    text-search-ada-query-001
    text-search-babbage-doc-001
    text-search-babbage-query-001
    text-search-curie-doc-001
    text-search-curie-query-001
    text-search-davinci-doc-001
    text-search-davinci-query-001
    code-search-ada-code-001
    code-search-ada-text-001
    code-search-babbage-code-001
    code-search-babbage-text-001

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #openai #openaiapi #aiapi #ai

    Summer break is over, let’s get back to work!

    I am back to work, as my summer break is over! Lets get started again with creating new plugins and updating existing plugins!
    Check my plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    If you have ideas for plugin updates that I should do for my existing plugins or you have ideas of my plugins you want to see me release next, let me know in the comments of this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #backtowork #summerbreakover #workagain #backtoschool

    How I stay creative when I work on new WordPress plugins?

    Let me show you how I manage to stay creative when I work on new WordPress plugins.

    I am getting the help of my 6 year old daughter, Maya. Here are the steps we do, for each new plugin that I create:

    1. Brainstorming for ideas
    2. Creative thinking for solutions
    3. Execution and coding
    4. Presentation and marketing
    5. Publication and customer support

    Thank you Maya for your daily help and also thank you Envato for allowing me to work from home and stay with my family, to maximize my creative success!

    Check the plugins that I created so far, using this method ► https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #coderevolution #creative #wordpress #plugins

    I am going for a summer break!

    I am going for a well deserved summer break! Hurray! I will continue to provide basic support during this period. See you in a couple of weeks!
    Check my plugins:
    Newsomatic ► https://1.envato.market/newsomatic
    Echo RSS ► http://1.envato.market/echo
    Crawlomatic ► https://1.envato.market/crawlomatic
    F-omatic ► https://1.envato.market/fbomatic
    Youtubomatic ► https://1.envato.market/youtubomatic
    Kronos ► https://1.envato.market/kronos
    AIomatic ► https://1.envato.market/aiomatic
    Other plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    I hope everyone is enjoying the summer and is going for a summer break if possible. Or, at least, you can have some wonderful family time together, even if you don’t go to visit exotic places. The period of
    time between the closing of school and the beginning of school might seem short, but we should benefit of it, as much as possible.

    During this period, I plan to go offline for a couple of days and plan to offer only basic plugin support every couple of days or so.

    When I will be back at the end of August, I plan to restart work on new plugins and bring more useful updates for existing ones.

    I wish you the best and see you soon after the summer break is over!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #summer #summerbreak #vacation #vacationmode

    AIomatic: How to Generate AI Written Articles in Spanish and Other Languages (Not Just in English)

    Let me show you how to create AI generated articles also in other languages, not just in English, using the AIomatic plugin!
    Check AIomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Let me show you in this tutorial video how to use the AIomatic plugin to create content in Spanish and also in other languages besides of English, to create content created by AI, using OpenAI’s GPT-3 models.

    In recent years machines have learned to generate passable snippets of English, thanks to advances in artificial intelligence. Now they are moving on to other languages.

    OpenAI has built one of the world’s most powerful AI language models. It is fluent not just in English but also in multiple other languages, including Spanish.

    The algorithm builds on recent advances in machine learning that have helped computers handle language with what sometimes seems like real understanding. By drawing on what it has learned from reading the web, the algorithm can dream up coherent articles on a given subject and can answer some general knowledge questions cogently – also generating AI content with ease in multiple languages.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ai #aicontent #aicontentwriter #spanishaicontent

    AnimeAPI now also available on RapidAPI – get extended monthly usage for AnimeAPI.org

    AnimeAPI was added also on RapidAPI – subscribe over there to get more daily API requests and use it in the Ultimate Anime Scraper plugin!

    Check the Ultimate Anime Scraper plugin ► https://1.envato.market/ultimate-anime-scraper
    Check AnimeAPI.org ► https://animeapi.org/
    Check AnimeAPI on RapidAPI ► https://rapidapi.com/caddytzitzy/api/animeapi4/

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhmkUXTLsiVuBWcVbaTbAVP

    🤔 ABOUT THIS VIDEO 👇
    Great news for anime fans and those who want to build their own anime website, as the Ultimate Anime Scraper plugin is able to do this for you! And even better, the API offered by the AnimeAPI.org website I created are now available also on RapidAPI – you can subscribe on RapidAPI for AnimeAPI and get an extended number of daily and monthly API calls for AnimeAPI.
    Check AnimeAPI on RapidAPI here: https://rapidapi.com/caddytzitzy/api/animeapi4/

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #Animeapi #anime #animeepisode #animes

    AIomatic – How to Improve Quality of AI Generated Content in Posts

    These tips will help you to improve overall quality of AI generated content using the GPT-3 OpenAI API in the AIomatic plugin.
    Check AIomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    Time to evaluate your content marketing efforts. Which topics outperform the rest in terms of traffic to your website? Is content marketing actually moving the needle on thought leadership? And are there gaps in competitive content you can leverage?

    Szabi does the guesswork (or deep dive into analytics), and answer these questions in this video. That’s the goal of the AIomatic WordPress plugin, which is powered by artificial intelligence that gives your content strategy an upgrade.

    Let me give more details on how to improve the quality created by the AIomatic AI tool.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #aicontent #aicontentwriter #gpt3 #aiwriter

    AIomatic update – AI model selection ability added [as suggested by you guys]

    The AIomatic plugin was updated, now it is able to select the GPT-3 model from Davinci, Curie, Babbage or Ada. Check details in this video!
    Check AIomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    The OpenAI API is powered by a family of models with different capabilities and price points. You can also customize our base models for your specific use case with fine-tuning.
    Davinci is the most capable model, and Ada is the fastest.
    While Davinci is generally the most capable, the other models can perform certain tasks extremely well with significant speed or cost advantages. For example, Curie can perform many of the same tasks as Davinci, but faster and for 1/10th the cost.

    We recommend using Davinci while experimenting since it will yield the best results. Once you’ve got things working, we encourage trying the other models to see if you can get the same results with lower latency. You may also be able to improve the other models’ performance by fine-tuning them on a specific task.
    The main GPT-3 models are meant to be used with the text completion endpoint. We also offer models that are specifically meant to be used with other endpoints.

    Older versions of our GPT-3 models are available as davinci, curie, babbage, and ada. These are meant to be used with our fine-tuning endpoints.
    Our endpoints for creating embeddings and editing text use their own sets of specialized models.
    Davinci is the most capable model family and can perform any task the other models can perform and often with less instruction. For applications requiring a lot of understanding of the content, like summarization for a specific audience and creative content generation, Davinci is going to produce the best results. These increased capabilities require more compute resources, so Davinci costs more per API call and is not as fast as the other models.

    Another area where Davinci shines is in understanding the intent of text. Davinci is quite good at solving many kinds of logic problems and explaining the motives of characters. Davinci has been able to solve some of the most challenging AI problems involving cause and effect.

    Good at: Complex intent, cause and effect, summarization for audience

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #openai #gpt3 #davinciai #aicontent

    AnimeAPI.org – I created a new Anime Scraper API to be used in the Ultimate Anime Scraper plugin

    Let me show you the latest API I created AnimeAPI.org – it is an API developed by me to get full details for any Anime you can think of!
    Check Ultimate Anime Scraper ► https://1.envato.market/ultimate-anime-scraper
    Check AnimeAPI.org ► https://animeapi.org/

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhmkUXTLsiVuBWcVbaTbAVP

    🤔 ABOUT THIS VIDEO 👇
    I just finished working on a new Anime API which will provide metadata around 12,000+ of Anime titles to help developers embed, discover, and share Anime (Japanese animation) metadata with their applications.
    It will provide full details for anime (title, description, genre, release year and full anime episode list with embed alternatives).

    This new API is also automatically used in the latest version of the Ultimate Anime Scraper plugin ► https://1.envato.market/ultimate-anime-scraper

    Give it a try now: https://animeapi.org/

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #Animeapi #anime #animeepisodes #animeepisode

    [METHOD] How to Add Any Unsupported Webcams to Logitech Capture Recording Software

    Let me show you how to add any video camera to Logitech Capture and use it in this software! I tested it with my low end webcam Logitech C270 – 720p/30fps = method working ok.

    Method, step by step:

    – Open the config file from this location: C:Program FilesLogitechLogiCapturebinLogiCapture.exe.config

    – Locate the section “HD Pro Webcam C930e” ( for example )

    -Copy Paste the entire section (as I show in the video) and modify the values with the VID (YourVID_Number) and PID (YourPID_Number) from the Device Manager (as shown in the above video).

    – For my C270 webcam, the correct update is listed below (name of model does not matter, but it is useful to have set correctly):

    device guid=”USB#VID_046D&PID_0825″ name=”Logitech HD Pro Webcam C930E”

    – Start the app. Now your unsupported Logitech webcam model is supported by Logi Capture.

    – BTW, do not select unsupported resolution ( or remove unsupported value from the file ).

    I add below also some webcam models and their PIDs, they might be useful:

    QuickCam-Home
    0x046D
    0x0802

    Webcam-C200
    0x046D
    0x0804

    Webcam-C250
    0x046D
    0x0805

    Webcam-C300
    0x046D
    0x0807

    Webcam-B500
    0x046D
    0x0808

    Webcam-C600
    0x046D
    0x0809

    Webcam-Pro-9000
    0x046D
    0x080A

    Portable-Webcam-C905
    0x046D
    0x080F

    Webcam-C120
    0x046D
    0x0810

    QuickCam-Pro
    0x046D
    0x0819

    Webcam-C210
    0x046D
    0x081A

    Webcam-C260
    0x046D
    0x081B

    Webcam-C310
    0x046D
    0x081D

    HD-Webcam-C510
    0x046D
    0x0820

    QuickCam-VC
    0x046D
    0x0821

    HD-Webcam-C910
    0x046D
    0x0823

    HD-Webcam-B910
    0x046D
    0x0825

    Webcam-C270
    0x046D
    0x0826

    HD-Webcam-C525
    0x046D
    0x0828

    HD-Webcam-B990
    0x046D
    0x082B

    Webcam-C170
    0x046D
    0x082C

    HD-Webcam-C615
    0x046D
    0x082D

    HD-Pro-Webcam-C920
    0x046D
    0x0830

    QuickClip
    0x046D
    0x0836

    B525-HD-Webcam
    0x046D
    0x0837

    BCC950-ConferenceCam
    0x046D
    0x0840

    QuickCam-Express
    0x046D
    0x0843

    Webcam-C930e
    0x046D
    0x0850

    QuickCam-Web
    0x046D
    0x085C

    C922-Pro-Stream-Webcam
    0x046D
    0x085E

    Logitech-BRIO
    0x046D
    0x0870

    QuickCam-Express
    0x046D
    0x0890

    QuickCam-Traveler
    0x046D
    0x0892

    OrbiCam
    0x046D
    0x0894

    CrystalCam
    0x046D
    0x0895

    QuickCam-for-Dell-Notebooks
    0x046D
    0x0896

    OrbiCam
    0x046D
    0x0897

    QuickCam-for-Dell-Notebooks
    0x046D
    0x0899

    QuickCam-for-Dell-Notebooks
    0x046D
    0x089D

    QuickCam-E2500-series
    0x046D
    0x08A0

    QuickCam-IM
    0x046D
    0x08A1

    QuickCam-IM-with-sound
    0x046D
    0x08A2

    Labtec-Webcam-Pro
    0x046D
    0x08A3

    QuickCam-QuickCam-Chat
    0x046D
    0x08A6

    QuickCam-IM
    0x046D
    0x08A7

    QuickCam-Image
    0x046D
    0x08A9

    Notebook-Deluxe
    0x046D
    0x08AA

    Labtec-Notebooks
    0x046D
    0x08AC

    QuickCam-Cool
    0x046D
    0x08AD

    QuickCam-Communicate-STX
    0x046D
    0x08AE

    QuickCam-for-Notebooks
    0x046D
    0x08AF

    QuickCam-Easy/Cool
    0x046D
    0x08B0

    QuickCam-3000-Pro-[pwc]
    0x046D
    0x08B1

    QuickCam-Notebook-Pro
    0x046D
    0x08B2

    QuickCam-Pro-4000
    0x046D
    0x08B3

    QuickCam-Zoom
    0x046D
    0x08B4

    QuickCam-Zoom
    0x046D
    0x08B5

    QuickCam-Sphere
    0x046D
    0x08B9

    QuickCam-IM
    0x046D
    0x08BD

    Microphone-(Pro-4000)
    0x046D
    0x08C0

    QuickCam-Pro-3000
    0x046D
    0x08C1

    QuickCam-Fusion
    0x046D
    0x08C2

    QuickCam-PTZ
    0x046D
    0x08C3

    Camera-(Notebooks-Pro)
    0x046D
    0x08C5

    QuickCam-Pro-5000
    0x046D
    0x08C6

    QuickCam-for-DELL-Notebooks
    0x046D
    0x08C7

    QuickCam-OEM-Cisco-VT-Camera-II
    0x046D
    0x08C9

    QuickCam-Ultra-Vision
    0x046D
    0x08CA

    Mic-(Fusion)
    0x046D
    0x08CB

    Mic-(Notebooks-Pro)
    0x046D
    0x08CC

    Mic-(PTZ)
    0x046D
    0x08CE

    QuickCam-Pro-5000
    0x046D
    0x08CF

    QuickCam-UpdateMe
    0x046D
    0x08D0

    QuickCam-Express
    0x046D
    0x08D7

    QuickCam-Communicate-STX
    0x046D
    0x08D8

    QuickCam-for-Notebook-Deluxe
    0x046D
    0x08D9

    QuickCam-IM/Connect
    0x046D
    0x08DA

    QuickCam-Messanger
    0x046D
    0x08DD

    QuickCam-for-Notebooks
    0x046D
    0x08E0

    QuickCam-Express
    0x046D
    0x08E1

    Labtec-Webcam
    0x046D
    0x08F0

    QuickCam-Messenger
    0x046D
    0x08F1

    QuickCam-Express
    0x046D
    0x08F2

    Microphone-(Messenger)
    0x046D
    0x08F3

    QuickCam-Express
    0x046D
    0x08F4

    Labtec-Webcam
    0x046D
    0x08F5

    QuickCam-Messenger-Communicate
    0x046D
    0x08F6

    QuickCam-Messenger-Plus
    0x046D
    0x0900

    ClickSmart-310
    0x046D
    0x0901

    ClickSmart-510
    0x046D
    0x0903

    ClickSmart-820
    0x046D
    0x0905

    ClickSmart-820
    0x046D
    0x0910

    QuickCam-Cordless
    0x046D
    0x0920

    QuickCam-Express
    0x046D
    0x0921

    Labtec-Webcam
    0x046D
    0x0922

    QuickCam-Live
    0x046D
    0x0928

    QuickCam-Express
    0x046D
    0x0929

    Labtec-Webcam-Pro
    0x046D
    0x092A

    QuickCam-for-Notebooks
    0x046D
    0x092B

    Labtec-Webcam-Plus
    0x046D
    0x092C

    QuickCam-Chat
    0x046D
    0x092D

    QuickCam-Express-/-Go
    0x046D
    0x092E

    QuickCam-Chat
    0x046D
    0x092F

    QuickCam-Express-Plus
    0x046D
    0x0950

    Pocket-Camera
    0x046D
    0x0960

    ClickSmart-420
    0x046D
    0x0970

    Pocket750
    0x046D
    0x0990

    QuickCam-Pro-9000
    0x046D
    0x0991

    QuickCam-Pro-for-Notebooks
    0x046D
    0x0992

    QuickCam-Communicate-Deluxe
    0x046D
    0x0994

    QuickCam-Orbit/Sphere-AF
    0x046D
    0x09A1

    QuickCam-Communicate-MP/S5500
    0x046D
    0x09A2

    QuickCam-Communicate-Deluxe/S7500
    0x046D
    0x09A4

    QuickCam-E-3500
    0x046D
    0x09A5

    Quickcam-3000-For-Business
    0x046D
    0x09A6

    QuickCam-Vision-Pro
    0x046D
    0x09B0

    Acer-OrbiCam
    0x046D
    0x09B2

    Fujitsu-Webcam
    0x046D
    0x09C0

    QuickCam-for-Dell-Notebooks-Mic
    0x046D
    0x09C1
    #logicapture #logitech #webcam #logitechcapture

    AIomatic – Automatic AI Content Writer

    Check the tutorial video of the AIomatic plugin! For details, watch the video! Check AIomatic ► https://1.envato.market/aiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhRvgICiyvwBXH-dMBM4VAt

    🤔 ABOUT THIS VIDEO 👇
    The AIomatic is a brand new plugin which is able to use the OpenAI GPT-3 API to write AI generated content for your blog posts.
    It can write blog posts on its own, based on seed expressions you enter in the plugin settings, it can also fill other posts with more rich content, it can write reviews of products, also write formal or funny posts on different subjects.

    You can only set the post title or even give it a short command to get AI generated content creation started.

    This is an alternative for Jarvis or Jasper AI, which don’t create articles as fast as this plugin. Also, this plugin uses the direct pricing structure of OpenAI, making its usage cheaper than other market alternatives, which provide their own pricing structures, from which they pay a cut to OpenAI GPT-3 API.

    Check this video for details on this plugin’s functionality and as always, if you have new ideas for it, let me know in the comments of this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #openai #gpt3 #aicontent #jarvisai

    Autoblog Iframe Extension Update: Automatically Grab Full Content of Posts (not just iframes)

    These Autoblog Iframe Extension plugin got a cool new update, now it is able to grab contents from pages (not just add them to iframes)!
    Check the Autoblog Iframe Extension plugin ► https://1.envato.market/iframe

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIiqOuUr56h19GSR455_hNGd

    🤔 ABOUT THIS VIDEO 👇
    Based on popular request, the Autoblog Iframe Extension plugin is updated, now it will also be able to automatically grab the full contents of posts and to display them on your website (not just embed the full site into an iframe).

    This update will bring great potential and many extended uses for this plugin. Give it a try now!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #autoblog #autoblogging #iframes #iframeplugin

    Twitomatic plugin update: Rwitter v2 API Support Added!

    The Twitomatic plugin is updated, now working with more advanced search queries, using the Twitter v2 API! Check this video for details!
    Check Twitomatic ► https://1.envato.market/twitomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIjUPkrI3_in1xGoB4i8gRvG

    🤔 ABOUT THIS VIDEO 👇
    Twitter API v2 is the latest version available for all developers.
    Twitter API v2 is ready for prime time! Twitomatic is now migrated to the Twitter v2 API, allowing it to reach into more advanced features offered by the Twitter search API.

    The best part of the Twitter v2 API is that it allows you to build advanced queries.

    Some basic examples:

    Standalone operators can be used alone or together with any other operators (including those that require conjunction).

    For example, the following query will work because it uses the #hashtag operator, which is standalone:

    #twitterapiv2

    Conjunction-required operators cannot be used by themselves in a query; they can only be used when at least one standalone operator is included in the query. This is because using these operators alone would be far too general, and would match on an extremely high volume of Tweets.
    For example, the following queries are not supported since they contain only conjunction-required operators:

    has:media
    has:links OR is:retweet

    If we add in a standalone operator, such as the phrase “twitter data”, the query would then work properly.

    “twitter data” has:mentions (has:media OR has:links)

    Check details on this, here: https://developer.twitter.com/en/docs/twitter-api/tweets/search/integrate/build-a-query

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TWItter #twitterapi #twitterv2api #twitterupdate

    Crawlomatic URL Tracer Update: Get Final Redirect URL from Link Redirection Chains

    The Crawlomatic plugin can now trace the URLs and follow their redirect chain! For details, watch this video! Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    Based on popular request, I created a new feature for Crawlomatic, it is now able to follow the redirect chains of URLs, and to display in the scraped post the last URL to which the initially scraped URL would have redirected to.
    This feature is very useful for many purposes, as now you will be able to scrape affiliate links and follow their redirect chain and replace the affiliate tag from the final link with your own affiliate tag (using another feature of the plugin: Regex match/replace).
    Also, this will allow you to unmask minified/beautified URLs and to display their final redirection URL in the scraped content.
    There are also many other specific scenarios where this new feature will be useful, if you will need a similar feature, you will find it in the latest update for Crawlomatic.

    Usage of the new feature:
    To get the final redirect link of an URL, you can also use this structure: %get_final_url(%%item_url%%)%

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #redirecttracing #redirecting #redirected #redirects

    Contentomatic Update: Automatically Get Keywords From RSS Feeds

    The Contentomatic plugin is now updated, it can automatically extract and use keywords from RSS Feed items, to create content using the ArticleForge API. Check details in the video!
    Check Contentomatic ► https://1.envato.market/contentomatic
    Check ArticleForge ► https://www.articleforge.com/?ref=b19cc7 />
    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIjzwsk3dsrftx35Isiu1w6f />
    🤔 ABOUT THIS VIDEO 👇
    Based on the suggestions you guys sent me, I updated the Contentomatic plugin, now it can extract keywords from RSS feed items and use them as the keywords which are sent to ArticleForge, when creating new articles using their service.
    This will make the usage of the Contentomatic plugin much easier, as you will not be required to think constantly of new keywords to use in the plugin, but simply it will allow you to link to an RSS feed from the niche for which you wish to create articles and the Contentomatic plugin will automatically extract the most relevant keywords from RSS feed item titles, description and content and will use them to generate the articles using ArticleForge.

    Check details about this update in the above video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #contentcreator #contentomatic #contentwriting #articleforge

    🔥 CodeRevolution TV 5K Subscribers 🏆 GIVEAWAY 🎁 Win a copy of a WordPress Plugin of your choice!

    Thank you for watching my videos and for being part of this awesome journey! To say “thank you”, I am hosting a giveaway, the prize will be any of my WordPress plugins listed below!
    Check the plugins you can get in this giveaway ► https://coderevolution.ro/shop/

    🤔 ABOUT THIS VIDEO 👇
    To say thanks for reaching 5K subscribers, I’m doing a brand new giveaway! Check out this video for details on the prize and how to enter. The competition is open from the time this video is released and will close on Friday 5th July at midnight! I will announce the winner in an upcoming video!
    You can join in if you subscribe to this channel and comment on this video! I will select the winner in an upcoming video, will reply to the winning comment after the winner is selected.

    💥 GIVEAWAY RESULTS 💥
    Check this video where I announce the WINNER of this GIVEAWAY: https://youtu.be/jOsbYMgWo2s

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #giveaway #giveaways #giveawaygratis #giveaway5k

    11 Months of Earnings from Envato Elements – Check Details!

    Check the details about my earnings on Envato Elements from 11 Months of being an author on Elements! Check details in this video!
    Get Envato Elements 7 day Trial ► https://www.youtube.com/watch?v=waBhPYAcW3c

    🤔 ABOUT THIS VIDEO 👇
    Let me show you my earnings for 6 WordPress plugins uploaded to Envato Elements, over a span of 11 months.
    Check details in this video!

    Szabi is a full-time WordPress plugin developer and the founder of CodeRevolution. He was born in Romania. Today he lives in Cluj-Napoca/Romania with his wife and daughter. He licenses his plugins on Envato and Envato Elements and he also teaches programmers how to create WordPress plugins and earn an income online. He has helped hundreds of fellow programmers to start their journey in online sales and maximize their potential earnings.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ELEMENTS #onlineearnings #onlineearnings #earningsecrets

    What is Envato Elements Content Bonus and why it will be discontinued from August 2022?

    Let me talk in this video about Envato Elements and its “Content Bonus”. It will be discontinued starting from August 2022, check this video for info!
    Get Envato Elements 7 day Trial ► https://www.youtube.com/watch?v=waBhPYAcW3c

    🤔 ABOUT THIS VIDEO 👇
    Each Envato Elements Author is automatically considered for a content bonus payment. This is one of several ways in which Authors can be rewarded for contributing great content to Envato Elements.

    Authors must meet the minimum activity requirements for at least one item type to be eligible.

    Bonus payments appear on the monthly earnings report and are paid along with ordinary content earnings.

    Eligible authors share in the content bonus made available each month. Eligibility is checked on a daily basis. The content bonus payment is proportionate to content earnings and depends on the bonus program amount available each month.

    The Envato Elements Content Bonus Program described on this page will end on 31 July 2022. Content Bonus earnings relating to July 2022 will be paid to Authors in September 2022.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #envato #elements #envatoelements #contentbonus

    How to scrape images protected by CloudFlare Access Denied 1020 error

    Let me show you some tips on how you can get around a certain protection from CloudFlare file scraping Access Denied 1020 error.
    This trick is used in my Manga Scraper Plugin ► https://1.envato.market/ultimate-manga-scraper
    Convert CMD Curl to PHP Curl ► https://incarnate.github.io/curl-to-php/

    🤔 ABOUT THIS VIDEO 👇
    In today’s video I will try to help you get around or fix the “Access was denied Error code 1020” when visiting a site protected by Cloudflare.

    While visiting a site protected by Cloudflare, you may see an error indicating you do not have access to a given site and you are presented the error:
    The site owner may have set restrictions that prevent you from accessing the site. Contact the site owner for access or try loading the page again.

    Check this video for steps needed to scrape content which is protected by CloudFlare and returns this error when accessed directly.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #scraping #scraper #scrape #imagescraping

    Scraping eHow.com – using Crawlomatic and Puppeteer/HeadlessBrowserAPI

    Let me show you how to scrape posts from eHow.com using Crawlomatic – unlock its full potential, by combining it with Puppeteer/HeadlessBrowserAPI. For details, watch this video!
    Check Crawlomatic ► https://1.envato.market/crawlomatic
    Check HeadlessBrowserAPI ► https://headlessbrowserapi.com/
    How to install Puppeteer on your server ► https://www.youtube.com/watch?v=KNOIJA4pTQo

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    If you’ve ever needed to pull data from a third party website, chances are you started by checking to see if they had an official API. But did you know that there’s a source of structured data that virtually every website on the internet supports automatically, by default?
    A scraper tool! That’s right, we’re talking about pulling our data straight out of HTML — otherwise known as web scraping. Here’s why web scraping is awesome:
    – Any content that can be viewed on a webpage can be scraped. Period.

    If a website provides a way for a visitor’s browser to download content and render that content in a structured way, then almost by definition, that content can be accessed programmatically. In this article, I’ll show you how.

    Over the past few years, I’ve scraped dozens of websites — from music blogs and fashion retailers to the USPTO and undocumented JSON endpoints I found by inspecting network traffic in my browser.

    In this video, I will show you how to scrape ehow.com and use the Crawlomatic plugin, together with Puppeteer or HeadlessBrowserAPI to extract posts from it.

    Check the above video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ehow #ehowhacks #scraping #scraper

    Gryphon SEO Tools Plugin – Advanced Tutorial 2022

    Let me show you an advanced explanation tutorial for the Gryphon SEO Tool plugin, for details, check this video!
    Gryphon SEO Tools Plugin ► https://1.envato.market/gryphon

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgKVnO1umOFVqnx1XiIm_l8

    🤔 ABOUT THIS VIDEO 👇
    If you were wondering about how to configure the Gryphon SEO plugin for optimal results, this tutorial is the right one for you!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SEO #wordpressseo #wpseo #seoplugin

    Plugins Updated! New Languages Added to Google Translate, Bing Translate and DeepL Translator!

    All my plugins which are able to translate content are updated, new languages added to Google Translate, Bing Translate and DeepL!
    Check Newsomatic ► https://1.envato.market/newsomatic
    Check Echo RSS ► https://1.envato.market/echo
    Check Crawlomatic ► https://1.envato.market/crawlomatic
    Check All My Plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    Based on a suggestion from a comment on one of my videos here on this YouTube channel, the translation engines in all the plugins I created are now updated, they are able to use also the latest languages available in Google Translator, Bing Translator and DeepL.
    Check the newly added languages below:

    Google Translate👇
    Assammese (Google Translate)
    Aymara (Google Translate)
    Bambara (Google Translate)
    Bhojpuri (Google Translate)
    Dhivehi (Google Translate)
    Dogri (Google Translate)
    Ewe (Google Translate)
    Guarani (Google Translate)
    Ilocano (Google Translate)
    Kinyarwanda (Google Translate)
    Konkani (Google Translate)
    Krio (Google Translate)
    Kurdish – Sorani (Google Translate)
    Lingala (Google Translate)
    Luganda (Google Translate)
    Maithili (Google Translate)
    Meiteilon (Google Translate)
    Mizo (Google Translate)
    Odia (Google Translate)
    Oromo (Google Translate)
    Quechua (Google Translate)
    Sanskrit (Google Translate)
    Sepedi (Google Translate)
    Tatar (Google Translate)
    Tigrinya (Google Translate)
    Tsonga (Google Translate)
    Turkmen (Google Translate)
    Twi (Google Translate)
    Uyghur (Google Translate)

    DeepL👇
    Indonesian
    Turkish

    Microsoft Translator👇
    “Afrikaans (Microsoft Translator)”,
    “Albanian (Microsoft Translator)”,
    “Amharic (Microsoft Translator)”,
    “Armenian (Microsoft Translator)”,
    “Assamese (Microsoft Translator)”,
    “Azerbaijani (Microsoft Translator)”,
    “Bangla (Microsoft Translator)”,
    “Bashkir (Microsoft Translator)”,
    “Basque (Microsoft Translator)”,
    “Cantonese (Microsoft Translator)”,
    “Chinese (Literary) (Microsoft Translator)”,
    “Dari (Microsoft Translator)”,
    “Divehi (Microsoft Translator)”,
    “Faroese (Microsoft Translator)”,
    “Fijian (Microsoft Translator)”,
    “Filipino (Microsoft Translator)”,
    “French (Canada) (Microsoft Translator)”,
    “Galician (Microsoft Translator)”,
    “Georgian (Microsoft Translator)”,
    “Gujarati (Microsoft Translator)”,
    “Icelandic (Microsoft Translator)”,
    “Inuinnaqtun (Microsoft Translator)”,
    “Inuktitut (Microsoft Translator)”,
    “Inuktitut (Latin) (Microsoft Translator)”,
    “Irish (Microsoft Translator)”,
    “Kannada (Microsoft Translator)”,
    “Kazakh (Microsoft Translator)”,
    “Khmer (Microsoft Translator)”,
    “Kurdish (Central) (Microsoft Translator)”,
    “Kurdish (Northern) (Microsoft Translator)”,
    “Kyrgyz (Cyrillic) (Microsoft Translator)”,
    “Lao (Microsoft Translator)”,
    “Macedonian (Microsoft Translator)”,
    “Malagasy (Microsoft Translator)”,
    “Malayalam (Microsoft Translator)”,
    “Maori (Microsoft Translator)”,
    “Marathi (Microsoft Translator)”,
    “Mongolian (Cyrillic) (Microsoft Translator)”,
    “Mongolian (Traditional) (Microsoft Translator)”,
    “Myanmar (Microsoft Translator)”,
    “Nepali (Microsoft Translator)”,
    “Odia (Microsoft Translator)”,
    “Pashto (Microsoft Translator)”,
    “Portuguese (Portugal) (Microsoft Translator)”,
    “Punjabi (Microsoft Translator)”,
    “Samoan (Microsoft Translator)”,
    “Somali (Arabic) (Microsoft Translator)”,
    “Swahili (Latin) (Microsoft Translator)”,
    “Tahitian (Microsoft Translator)”,
    “Tamil (Microsoft Translator)”,
    “Tatar (Latin) (Microsoft Translator)”,
    “Telugu (Microsoft Translator)”,
    “Tibetan (Microsoft Translator)”,
    “Tigrinya (Microsoft Translator)”,
    “Tongan (Microsoft Translator)”,
    “Turkmen (Latin) (Microsoft Translator)”,
    “Upper Sorbian (Microsoft Translator)”,
    “Uyghur (Arabic) (Microsoft Translator)”,
    “Uzbek (Microsoft Translator)”,
    “Zulu (Microsoft Translator)”

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #translate #translator #googletranslate #languages

    Echo RSS Updated! Now you will be able to extract data also from nested custom RSS tags!

    The Echo RSS plugin is updated, now it will be able to fully parse custom RSS feeds! Also with nested tags! For details, watch this video!
    Check the Echo RSS plugin ► http://1.envato.market/echo
    How to extract attributes from feed tags ► https://www.youtube.com/watch?v=a4BMWi2tCGQ

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    🤔 ABOUT THIS VIDEO 👇
    The Echo RSS Plugin is now updated, it is able to extract data from custom RSS feed tags, even if they are nested, inside of other custom tags, as shown in the above video.
    This update will enable the Echo RSS plugin to be able to fully parse RSS feeds and extract any data from them, from any custom feed tag or even their custom attributes.
    Check the above video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #rssfeed #echorss #echo #customrss

    How To Copy The Full Cookie String From Any Website Using the Chrome Browser

    This video will show you how to get the full cookie string from any website, using the Chrome browser. For details, watch this video!
    Check my WordPress scraper plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    After a web server sends a web page to a browser, the connection shuts down and all information held by the server is lost. This means that information cannot easily be persisted between requests, as at each new request the server will not have any local context on the user. Cookies overcome this obstacle by storing the required information on the user’s computer in the form of a name=value string.

    Cookies are often used to store usernames, preferences, access passwords, etc.

    In this video I will show you how to extract the full cookie string from any website, using Chrome. You can use this cookie string for scraping and to simulate website login sessions or for other purposes.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #cookies #scraping #cookiescraping #cookiestring

    iMediamatic Update for Instagram: Use an alternative login method using the SessionID cookie

    The iMediamatic plugin was updated, now it is also able to use the SessionID Instagram cookie to log in. For details, watch this video!
    Check iMediamatic ► https://1.envato.market/instamatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhiWl3QXYvG4VybJVB1DGzF />
    🤔 ABOUT THIS VIDEO 👇
    Recently, Instagram changed a lot and I had to update the plugin to make it work more reliably with Instagram, so it will be able to scrape Instagram again and import images from Instagram users to your WordPress site.
    Check the plugin for details:
    https://1.envato.market/instamatic

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #instagram #instamatic #imediamatic #wpinstagram

    Mega Plugin Bundle Discounted 50% for 1 week! Promotional period ending on 30th of June!

    The Mega Bundle is now also added to the mid year sale promotional period, it is 50% discounted for 1 week: https://1.envato.market/bundle
    Check this video for other discounted plugins ► https://www.youtube.com/watch?v=gpi1N5eobUI

    🤔 ABOUT THIS VIDEO 👇
    If you haven’t had the chance to grab the Mega Bundle I created, now it is the time, as it is 50% discounted (from 499$ to 249$), for 1 week, until 30th of June 2022!
    This bundle will contain each and every plugin I created so far! And also, it will contain, without the need of any additional payments, access to all future plugins I will release on CodeCanyon!
    This is the best price you will be able to get for the plugin bundle, and you will get 110+ plugins, which will be free to be used on your WordPress site.
    Go ahead and profit of this promo period, while it lasts, check the Mega Bundle by CodeRevolution, here: https://1.envato.market/bundle

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #wordpress #wp #discount #sale

    CBomatic – ClickBank Affiliate Plugin Updated: Working Again

    The CBomatic plugin is updated, working again after ClickBank changes.
    Check CBomatic here ► https://1.envato.market/cbomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgocgOKgUQ9cI-v4swY1xNd

    🤔 ABOUT THIS VIDEO 👇
    If you want to create an autoblog and add ClickBank products to it with your own affiliate links, you are in the right place, as the CBomatic plugin can import products from ClickBank and publish them to your site, while also adding your own affiliate tracking code to the product URLs, so you will get your affiliate commission each time you refer a new customer using the products you published on your site.

    Also, the CBomatic plugin is now updated, it is working again, as ClickBank made some recent major changes to their website and the old version of the plugin was not working any more.

    Be sure to use always the latest versions of my plugins, for CBomatic, currently it is v1.1.0.

    Also, currently a massive discounting season is hosted on CodeCanyon, check my plugins as many of them will be discounted right now: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #clickbank #affiliatemarketing #affiliatecommission #affiliatecommissions

    Crawlomatic Update: Modify Scraped Product Prices Decimal Amount, Make All Prices End With .99 Cents

    The Crawlomatic plugin is now able to change product price decimal amounts (cents) – you can make all product prices end with .99!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    In the latest update of Crawlomatic you can automatically change scraped product prices to a fixed amount of decimals (cents). For example, you can make all products which are scraped to have prices ending in .99, regardless of their initial price.
    This will help in managing the scraped product prices in a better way, using the Crawlomatic plugin!

    Using this new update, for example, we can implement tracking and monitoring of competitor prices or dynamic changes in the prices of products in your online store or on the marketplace.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #pricescraping #webscraping #webscrapingtool #webscraper

    HeadlessBrowserAPI Update: Now You Can Reset Your API Key (Based on Popular Request)

    Because you guys asked for this new feature, now you will be able to reset your API keys on HeadlessBrowserAPI!
    Check HeadlessBrowserAPI ► https://headlessbrowserapi.com/

    🔀 PLAYLIST OF VIDEOS FEATURING THIS API 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIjDrfexapWc3M28iHwJI5tT />
    🤔 ABOUT THIS VIDEO 👇
    Based on popular requests, I added a new feature to HeadlessBrowserAPI (a cloud based service which is able to render JavaScript on websites, allowing you and the plugins I created to scrape also dynamic content from them). So, starting from today, you will be able to reset your API keys and create a new one, invalidating the old one. Using this feature, you will be able to get a new API key in case the old one was compromised or leaked, making you the only owner and beneficiary of your HeadlessBrowserAPI subscription.

    If you have more ideas or tips for this API or for other plugins or APIs I created, let me know in the comments of this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #headlessbrowserapi #puppeteer #scraperapi #puppeteerapi

    How to use the New “RESEARCH” Feature of YouTube Studio (100% FREE Keyword Research)

    Let me show you how to use the “Research” feature of YouTube Studio!
    To get more out of this new cool feature, check also TubeBuddy, below:
    Try TubeBuddy FREE! 👉https://www.tubebuddy.com/coderevolution

    🤔 ABOUT THIS VIDEO 👇
    YouTube just released a new cool feature recently and added it to the Analytics part of YouTube Studio.
    Now, you can use the “Research” tab in YouTube Analytics to explore what your audience, and viewers across YouTube, are searching. This can help you discover content gaps and is a starting point for research to create new videos that viewers are interested in.
    A pro tip is to combine the new Research tab with the TubeBuddy extension in the Chrome Browser, which will tell you not just the popularity of the keywords you are searching for, but also how hard is it to rank a video for that specific keyword – how many videos are there which target the keyword and also how optimized and which is the overall quality of those videos – telling you basically, an insight about how hard is to rank a new video on top of YouTube search results, for this specific keyword you searched for.
    Try TubeBuddy FREE! 👉 https://www.tubebuddy.com/coderevolution

    🤔 HOW TO FIND THE NEW “RESEARCH” TAB?
    – Sign in to YouTube Studio.
    – From the left menu, select Analytics.
    – From the top menu, select Research.
    – Enter the search term or topic in the search bar to get started. To save a search term, click Save.

    🤔 WHAT YOU WILL BE ABLE TO FIND IN THE “RESEARCH” TAB?
    The “Research” tab allows you to explore the most popular search topics made by your audience and viewers across YouTube over the last 28 days, and also, the most searched keywords on the entire YouTube platform.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #youtubestudio #youtubeanalytics #youtuberesearch #youtubestudionewupdate

    Translation Tricks: Crawlomatic Chain Translation Update – Replace Word Spinners With This

    The Crawlomatic plugin will be updated soon, it will be getting a new feature, which will allow chain translations between languages!
    Check Crawlomatic here ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    New translation tricks for Crawlomatic!
    The Crawlomatic plugin got a new update, it is now able to translate scraped content in a chain, this will act like a word spinner and might even, in some cases, replace the premium word spinner feature of the plugin.

    So, for example, you can translate scraped content from English to German and back to English, making scraped content unique and rewritten with synonyms for words. Also, paragraphs will be rewritten and the translation chain will act like an advanced spinner tool.

    Check the above video for details!

    If you have more ideas, comments, let me know in the comments section from below!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TRANSLATION #TRANSLATE #translator #translationtricks

    What’s the difference between YouTube user and channel? Are they separate types of YouTube accounts?

    Let me talk about what it the difference between YouTube user and channel accounts. Check details in this video!

    🤔 ABOUT THIS VIDEO 👇
    Well, the main difference is only in the URLs, as both /user/ and /c/ are the same behind the scene.

    Currently, on YouTube, every user gets a /channel/ URL, which is composed of a bunch of random numbers and letters. You cannot get a custom /channel/ url. An example would be CodeRevolution TV’s channel URL: https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg

    /user/-type URLS are all custom ones, and cannot be changed once set. They’re also the older variety (and you are no longer allowed to create one anymore). An example would be https://www.youtube.com/user/Vechz

    There’s also /c/ channels, which are the new custom URLs. They’re more elusive; only certain channels, which are over a fixed subscriber count get them. An example would be https://www.youtube.com/c/CodeRevolutionTV/

    I hope this info cleared things up for you!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBEUSER #YOUTUBEUSERS #YOUTUBECHANNEL #youtubechannels

    Check my current progress on the “AI Content Writer” plugin I am working on

    Let me show you details about the AI content writer plugin I am currently working on. It will use the OpenAI’s GPT-3 model to write unique content!
    Check my current plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    Let me show you my current progress on the Aiomatic plugin (which will be my next plugin) – it will be able to create AI generated unique content for your sites. It will use OpenAI’s GPT-3 model API to create its content.

    You will be able to set unlimited length articles, with images (image importing feature not yet implemented).

    I still need to work a lot on the plugin to make it feature rich and to enable you guys to create high quality AI written content to your websites.

    If you have ideas or suggestions for this plugin, let me know in the comments of this video, any idea is welcome!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #GPT3 #OPENAI #AICONTENT #AI

    Contentomatic Plugin Updated: “Very Long” article support added in Article Forge API

    The Contentomatic plugin was updated, it now can benefit of very long articles created by the Article Forge API. For details, watch this video!
    Check Contentomatic ► https://1.envato.market/contentomatic
    Check Article Forge ► https://www.articleforge.com/?ref=b19cc7 />Check Article Builder ► https://paykstrt.com/7177/38910

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIjzwsk3dsrftx35Isiu1w6f />
    🤔 ABOUT THIS VIDEO 👇
    The Article Forge API was updated recently, it now can create very long articles (1500 words+) and also add section headings in the generated article. This was a very much anticipated update for Contentomatic from many of you guys part, as I got many questions on when this will be available.

    This update also brings support for section headings! You can add a list of section headings separated by comma (e.g. sectionHeading1,sectionHeading2,sectionHeading3). Each section heading should
    not exceed 50 characters. The number of section headings should meet the requirement based on the length of article (very long articles require between 4 and 8 section headings, long articles need between 3 and 5, while medium articles need between 2 and 3, for short and very short articles, the section headings are ignored). section_headings should not contain URLs, parentheses, brackets, or too many single characters!

    If you create very long articles, the section headings feature is required to be filled with 4 to 8 comma separated section heading titles!

    So, the latest update for Contentomatic will include these features, go ahead guys and check the plugin and the Article Forge content writer service using the links from above!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ARTICLEFORGE #CONTENTOMATIC #aicontent #aiplugin

    TurkceSpin Support Added to Crawlomatic – automatically paraphrase and spin Turkish content

    The Crawlomatic plugin was updated, it now supports TurkceSpin to automatically spin Turkish posts. Check this video for details!
    Check Crawlomatic ► https://1.envato.market/crawlomatic
    Check TurkceSpin ► https://turkcespin.com/

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    Crawlomatic was updated, it is now able to automatically spin Turkish content and paraphrase it. This is possible using TurkceSpin, a word spinner and paraphraser which is able to automatically spin Turkish content.
    Check this video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TURKCESPIN #TURKISH #TURKISHSPINNER #TURKISHSPIN

    How to use Puppeteer in Echo RSS plugin to scrape JavaScript rendered content from RSS feeds

    These tips will help you to scrape JavaScript rendered content from RSS feeds. If you want to know more details, watch this video!
    Check Echo RSS ► http://1.envato.market/echo
    How to install puppeteer to your site ► https://www.youtube.com/watch?v=XkVfYWRZpko
    Check HeadlessBrowserAPI (as an alternative) ► https://headlessbrowserapi.com/
    HeadlessBrowserAPI tutorial video ► https://www.youtube.com/watch?v=ZKdliG5Z-r0

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    🤔 ABOUT THIS VIDEO 👇
    If you want to scrape JavaScript generated dynamic content from RSS feeds, you are in the right place. In the Echo RSS plugin you can set up a connection with Puppeteer or PhantomJS headless browsers and the plugin can be set to use these headless browsers for scraping also the dynamic, JavaScript generated content.

    If you cannot install Puppeteer or PhantomJS on your server, the plugin supports also an alternative to use HeadlessBrowserAPI, a cloud based service which renders JavaScript on pages and returns the full HTML of pages.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #HEADLESSBROWSER #JSRENDERED #RSSFEEDS #ECHORSS

    Crawlomatic – how to scrape links from txt files – massive scraping potential added

    Check this video tutorial for info on how to use the Crawlomatic plugin to scrape links from a text (txt) file! For details, check this video!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    If you ever wondered how to extract links from a given text file and how to scrape these links, then today I got the answer for you. Crawlomatic is now able to import links from text files (txt files) and scrape them and import them as WordPress posts.

    Scraping got much easier now using the Crawlomatic plugin, as now you can use txt files to gather the links you wish to scrape. This will make the usage of the plugin much easier, as it can handle now scraping using links found in text files.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CRAWLOMATIC #SCRAPING #SCRAPINGFROMTXTFILE #TXTSCRAPING

    How to automatically add related YouTube video to posts, based on post title keywords? Youtubomatic

    These tips will show you how to automatically add relevant YouTube videos to any post, using the Youtubomatic plugin
    Check Youtubomatic ► https://1.envato.market/youtubomatic
    Check Echo RSS ► https://1.envato.market/echo
    Check Mediumomatic ► https://1.envato.market/mediumomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />
    🤔 ABOUT THIS VIDEO 👇
    If you wish to automatically add related and relevant YouTube videos to posts, based on keywords found in the title of posts, than you should check Youtubomatic. It is able to automatically add related YouTube videos to posts, using the [youtubomatic_search] shortcode. This shortcode will query the YouTube API based on keywords found in the title of the post and get the most relevant video for these keywords and store the result in the database, so the query is not made multiple times for the same query.

    Youtubomatic can now automatically add related YouTube video to posts

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBOMATIC #YOUTUBE #YOUTUBEVIDEO #RELATEDVIDEO

    Elementor Birthday Sale! Up to 60% Off – Limited Time Offer!

    Elementor’s Birthday sale is now live, you can get up to 60% off from your plans, check it here: https://trk.elementor.com/birthday-sale-2022-coderevolution

    🤔 ABOUT THIS VIDEO 👇
    Enjoy the full power of Elementor’s ultimate WordPress website builder with huge savings on select pro plans, all upgrades and the new Elementor Cloud Website!

    No Coding – No Problem
    Create amazing WordPress websites without writing a single line of code! That’s magic, right there.

    All-in-One Solution
    Find all the tools you need to create next-level websites, inside one versatile and powerful platform.

    Pixel Perfect Design
    Turn your design vision into stunning websites with an intuitive drag & drop interface and laser precise design.

    Control Every Website Part With Theme Builder
    Design each part of your website right within the editor, including your Header and Footer. Have everything YOUR way with Elementor’s visual Theme Builder.

    Never Start Websites From Scratch Again
    Save time with our diverse website kits library. Access hundreds of fully customizable, designer-made WordPress websites, individual pages, layouts, and blocks.

    Exceed Your Marketing Goals Without Exceeding Your Budget
    Build, publish, and manage your landing pages, forms, popups, and website pages from one platform for one fixed price. An all-in-one marketing platform powerhouse.

    Live VIP Support
    Provide your customers with fast solutions using our 24/7 Live Chat. Know that you’ll always have the answer to your clients’ questions within 30 minutes, taking the stress from you, and allowing you to focus on growing your business. Valid for Agency plan only.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 34 years old guy living with my wife and our beautiful 6 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ELEMENTOR #ELEMENTORSALE #ELEMENTORPAGEBUILDER #ELEMENTORDISCOUNT

    Businessomatic update: Google My Business API updated – plugin working again

    The Businessomatic plugin is working again, its updated and matching the latest Google My Business API changes. For details, watch this video!
    Check Businessomatic ► https://1.envato.market/businessomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIhZ7BsvLrcU9NmbHFt0tTVd

    🤔 ABOUT THIS VIDEO 👇
    The Google My Business API was recently updated and I had to dive into their new documentation and to update the Businessomatic plugin to make it work with their new GMB API version.

    However, I finally managed to update the plugin and it is working again with Google My Business, it is able to post again to your Google My Business business profile and also import posts to WordPress from your Google My Business business profile.

    An important thing to mention is that because of the latest requirements from Google My Business API, to make the Businessomatic plugin to work, you will need to enable (besides the Google My Business API) the My Business Account Management API and the My Business Business Information API. These two new APIs are requirements for the plugin to function.

    Please check details on this, in the video from above.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #GMB #GOOGLEMYBUSINESS #GMBAPI #MYBUSINESS

    Get Envato Elements for FREE for 7 Days [Envato Elements COUPON]

    I am glad to give you guys a method to join Envato Elements for FREE, for 7 days. Click this link to get access: https://1.envato.market/Elements-7-day-free-trial

    COUPON LINK TO JOIN ENVATO ELEMENTS FOR FREE ► https://1.envato.market/Elements-7-day-free-trial

    🤔 ABOUT THIS VIDEO 👇
    Elements is a subscription service that gives you access to millions of quality digital products like text packs, effects packs, beautiful stock footage, sound effects, transition packs, literally anything you could dream of having as a video editor!

    I am glad to be able to share with you guys a new Envato Elements coupon which will give you 7 days free access to all resources found on Envato Elements.

    Also, unlike the previous coupons, this Envato Elements coupon will work for both the monthly subscription and also the yearly subscription for Elements. So, go ahead guys and select the one you need, you will benefit of the 7 days free period for Elements, if you click the link from below:
    https://1.envato.market/Elements-7-day-free-trial

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ENVATOELEMENTS #ELEMENTS #ENVATOELEMENTSFREE #FREEENVATOELEMENTS

    Big List of Google Search Operators to Help with Your Link Building Efforts

    In this video I will share with you a resource which will help you in your link building efforts, using Google Search Operators!
    Make a copy of this file ► https://docs.google.com/spreadsheets/d/1zpwHlnYRvkSQY72ymE1yHCZsX7Fq853an-YutQK3rPI/edit#gid=1741835072
    Make a copy of this file ► https://docs.google.com/spreadsheets/d/1zpwHlnYRvkSQY72ymE1yHCZsX7Fq853an-YutQK3rPI/edit?usp=sharing
    Check details about Google Search Operators ► https://ahrefs.com/blog/google-advanced-search-operators/

    🤔 ABOUT THIS VIDEO 👇
    For anyone that’s been doing SEO for a while, Google advanced search operators—i.e., special commands that make regular ol’ searches seem laughably basic in comparison—are nothing new.
    Here’s a Google search operator you may be familiar with:
    – the “site:” operator restricts results to only those from a specified site.

    It’s easy to remember most search operators. They’re short commands that stick in the mind.

    But knowing how to use them effectively is an altogether different story.

    Most SEOs know the basics, but few have truly mastered them.

    Check this video and I will share with you a Google Spreadsheet, which you will be able to copy to your own Google Drive and use it to automatically generate useful Google searches with advanced search operators in them, which will help you in your link building efforts for your sites which you try to rank higher in Google search.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #GOOGLESEARCH #GOOGLESEARCHOPERATORS #SEARCHOPERATORS #SERP

    Envato Elements Discount – 9$ Coupon Offer 2022

    Envato Elements $9 Offer 2022, Discount Coupon, Premium Account Free Download, Student Offer, Monthly Subscription Free, Pricing, Trial. We all know what is Envato Elements are. You can download unlimited premium WordPress themes, Elementor Template, Fonts, Video, Photo, Graphics from here. You need to buy a subscription to access these files. The good news is, Envato Elements launches a 9 USD Coupon Offer for the year 2022.

    You benefit of the discounted Envato Elements Subscription Pricing, Premium Account Free Download, and a coupon for $9 Offer, if you click the link from above.

    Envato Elements $9/Month

    Grab $9/Month Offer and Get $24 Discount Now

    How to GET Envato Elements $9 Discount Offer?

    This Envato Elements $9 Offer May 2022. You can enjoy $32 Discount offer is for a very limited time. Envato didn’t mention the expiration date of this campaign. To activate 9 USD subscription Discount coupon of this offer, you need to click this link. This link will take you to the registration page.

    Also, You can see the offer notification on this landing page (any of the below messages).

    Welcome to Envato Elements. Your coupon will be applied to your individual monthly subscription at checkout. Save now
    A Coupon will be applied to your subscription. Sign up below to continue.

    That means you are the lucky person. Your offer is activated now. After this, you need to complete the registration process. We have added a video to this article. Please watch if you need any help. Make sure that you have chosen the monthly subscription package. There are two types of subscriptions on Envato. One is Monthly and the other is yearly. Normally monthly package subscription fee is $33. On the other side, the Yearly subscription fee is 198 Dollars.

    Next Step, After completing registration Envato will take you to the billing page. Then fill-up necessary information like address, city, postal code. Also, you can see here the total billing on the rights side of this page. Here I have uploaded a picture for you. You will see a $32 discount on the first month. The total bill is $9. Add a credit card or PayPal to complete this order.

    After this, You will get Envato elements for 1 Month. Congratulations!

    Package Fee
    Monthly $33
    Yearly $198

    Envato Elements Subscription Discount Coupon

    You must sign up on Envato elements via our coupon link, submit your information to create a free account, and get started to be eligible for the 1-month $9 offer. The registration procedure is straightforward.

    How to Get Envato Elements Free Trial

    YES. Envato Elements is offering a 7 day free trial to download files. you have to buy a subscription to a premium account. Envato Elements also gives an opportunity to free download premium files. You can able to download 12 files free every month. Also, there is a big offer for students. You can enjoy a 30% discount if you have a valid student email (Ex. email@institiutename.edu) from your institute.

    Envato Elements Subscription Plan Pricing and Discount

    There are two subscription plans on Envato Elements. Monthly and Yearly Plan. You have to buy one to get unlimited elements to download access. Please check below Envato Elements Subscription Pricing.

    Users of Envato Elements can choose from three different plans. There are three types of plans: individual, student, and team. Individual Plan offers two pricing options: annual and monthly payments. The monthly plan costs $33 per month, while the annual plan is $16.50 per month. If you sign up for an annual payment, Envato Elements will give you a 50% discount. The following are the three Envato Elements price plans:

    Plan Offer
    Monthly $33
    Yearly 5% OFF
    For Students 30% OFF
    Team $14.50 Per Month

    Individual Plan

    It is the initial choice for a single user Envato Elements subscription. There are two price plans for the Individual Plan, including annual and monthly payment choices. If you pay monthly, it costs $33 per month, and if you pay annually, it costs $16.50 per month. If you sign up for an annual payment, Envato Elements will give you a 50% discount.

    Student Plan Discount

    Discount on the Envato Student Plan Every student receives a flat 30% discount. The Student Plan costs $11.50 per month and must be billed on a monthly basis. For students only, Envato Elements offers a flat 30% discount. However, you must first prove that you are a student. For students, get all of the benefits of an Envato Elements subscription at a 30% discount.

    You will be emailed a link to our various plans where you may sign up for a student plan after your confirmation has been received. This package gives you full access to all of Envato Elements’ features, including Item Licensing and Template Kits.

    Team Plan

    The costing parameters for the Envato elements team Plan are determined by the number of team members. You can save additional money with this plan as you add new team members. This approach is only good for a team of 2 to 5 people. When the number of participants reaches 6 or more, you must upgrade to the Enterprise Plan, which is designed for large teams and companies.

    It costs $14.50 per month per member in a team of two, $12.42 per month per member in a team of three, $11.38 per month per member in a team of four, and $10.75 per month per member in a team of five. As the squad grows, you’ll be able to get discount more.

    Envato Elements FAQ

    How can I get Envato Elements to download?

    The procedure of downloading a file from the Envato Elements library is really simple. When you’ve identified a file you want to download, go to its page and select “Download Item.” After that, you’ll have the choice of licensing the item for Project Use or Trial Use. If you’re going to use it for a project, you’ll need to give it a name. Then select “Download” from the drop-down menu.

    One thing I dislike about Envato Elements is that all of the video files are pretty enormous – around 1 GB a piece – and can only be downloaded in.mov format. As a result, it takes a long time to convert them subsequently.

    Are there any Envato Elements coupons available to get a discount on your subscription?

    Yes. At the moment, there is just one voucher available. You’ll save 97 percent on your purchase. Envato Elements usually has sales and discounts every now and again, notably around Black Friday, Cyber Monday, and Christmas.

    Can I resell the Envato Elements item I downloaded on a third-party website?
    No, you’re not going to be able to do that. This is referred to as redistribution.

    Is it possible for me to share my Envato Elements profile with people in my company?
    Only one subscriber can utilize the downloaded files.

    Is it possible to cancel my subscription at any time?
    Yes, you have the option to discontinue your subscription at any time.

    WordPress 6.0 compatibility for all my plugins

    This is a video update about WordPress 6.0 listing some of its newest features and giving update about compatibility of plugins with it!
    Check my plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    WordPress 6.0 is now released, bringing some more new stuff to the Gutenberg editor, together with other brand new functionality improvements.
    In this video I will show you that all my plugins are tested with WordPress 6.0 and you can go ahead and update WordPress on your site to 6.0, as my plugins will continue to function without any compatibility issues.

    As always, I keep my plugins updated and functional on the latest WordPress or PHP versions available.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💥 Join CodeRevolution’s Plugins on Discord 👇
    https://discord.gg/Fjggup9wcM

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WORDPRESS6 #WORDPRESS6.0 #WORDPRESSUPDATE #WP6

    How To block DMCA Bots from accessing your site, using CloudFlare Firewall Rules

    Let me show you how to block DMCA bots from accessing your website, using CloudFlare! For details, watch this video!
    Check the Tartarus Plugin (alternative) ► https://1.envato.market/tartarus

    ClodFlare firewall rule expression preview (be sure to replicate it 1 to 1):
    (http.user_agent contains “Yandex”) or (http.user_agent contains “muckrack”) or (http.user_agent contains “Qwantify”) or (http.user_agent contains “Sogou”) or (http.user_agent contains “BUbiNG”) or (http.user_agent contains “knowledge”) or (http.user_agent contains “CFNetwork”) or (http.user_agent contains “Scrapy”) or (http.user_agent contains “SemrushBot”) or (http.user_agent contains “AhrefsBot”) or (http.user_agent contains “Baiduspider”) or (http.user_agent contains “python-requests”) or (http.user_agent contains “crawl” and not cf.client.bot) or (http.user_agent contains “Crawl” and not cf.client.bot) or (http.user_agent contains “bot” and not http.user_agent contains “bingbot” and not http.user_agent contains “Google” and not http.user_agent contains “Twitter” and not cf.client.bot) or (http.user_agent contains “Bot” and not http.user_agent contains “Google” and not cf.client.bot) or (http.user_agent contains “Spider” and not cf.client.bot) or (http.user_agent contains “spider” and not cf.client.bot)

    🤔 ABOUT THIS VIDEO 👇
    Those nasty DMCA bots are getting out of hand randomly sending copyright claims for content that is not copyrighted just by searching titles and stuff. So I created a firewall rule in CloudFlare, which I share with you today, which is able to block the DMCA bots from accessing your site.

    So this CloudFlare rule for bots might help you out. Also, as a side note, if you still get DMCA requests after applying these firewall rules to your site, then the DMCA bots might be scraping Google search results and getting your site info from Google search. In this case, simply remove your site from Google’s index using Google Search Console (Google Webmaster Tools).

    I hope this video will help you guys solve the DMCA bot problem from your sites!

    Check more similar tutorials here:
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgTfOT_R7l5RskB6F4JMgU7

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #BLOCKDMCABOTS #DMCABOT #DMCAREQUEST #DMCA

    Automatically Upload Videos from WordPress to TikTok: New Update for Tiktokomatic

    The Tiktokomatic plugin is updated, now it is able to automatically upload videos from WordPress directly to your TikTok channel!
    Check Tiktokomatic ► https://1.envato.market/tiktokomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgoJ5bPmip9_0Dh0FCIBeJ2

    🤔 ABOUT THIS VIDEO 👇
    The Tiktokomatic plugin is updated to v1.1.0, now it is able to automatically upload the videos you embed in posts you publish on your WordPress site, directly to your TikTok channel.
    The videos which the plugin uploads will appear only on your phone, in your TikTok app, so be sure to be logged into your TikTok account in the app, when publishing videos using the plugin.
    You will be able to manually publish the videos, after editing them, to TikTok.

    Using this method, you will be able to automate uploading of videos to TikTok, making it very easy to publish new videos to your TikTok account.

    The plugin will act like a TikTok robot, which will automatically upload your videos to your channel. Make your life easier, using this TikTok automation method, by automatically uploading videos to TikTok / auto post to TikTok.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TIKTOKOMATIC #TIKTOKAUTOUPLOAD #TIKTOK #TIKTOKUPLOADER

    Crawlomatic Use Case: Scrape Full Detail WooCommerce Products – Example for LaserPointerPro.com

    Check this tutorial video for scraping LaserPointerPro.com and import the products to your WooCommerce store!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    If you want to scrape products to your WooCommerce store, this tutorial video is for you, as it shows you how to handle product scraping into WooCommerce, directly from LaserPointerPro.com!

    Full detailed products will be scraped, with full description, price (which can be also automatically increased from the plugin settings), featured images, product gallery, product categories and tags and many more!

    Check the above video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CRAWLOMATIC #PRODUCTSCRAPING #WOOCOMMERCESCRAPING #SCRAPEPRODUCTS

    TLDRThis Summarization Support Added to Crawlomatic, Echo RSS and Newsomatic

    The below 3 plugins were updated, TLDRThis summarization support is now added to them! For details, watch this video!
    Crawlomatic ► https://1.envato.market/crawlomatic
    Newsomatic ► https://1.envato.market/newsomatic
    Echo RSS ► https://1.envato.market/echo

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    Crawlomatic: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    Newsomatic: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    Echo RSS: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    🤔 ABOUT THIS VIDEO 👇
    TLDR This helps you summarize any piece of text into concise, easy to digest content so you can free yourself from information overload.

    Now, the above 3 plugins have full support for text summarization using TLDR This.

    100% Automatic Article Summarization on autopilot
    In the sheer amount of information that bombards Internet users from all sides, hardly anyone wants to devote their valuable time to reading long texts.
    TLDR This’s clever AI analyzes any piece of text and summarizes it automatically, in a way that makes it easy for you to read, understand and act on.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TLDR #TLDRTHIS #SUMMARIZATION #ARTICLESUMMARIZER

    wikiomatic content selector update

    The Wikiomatic plugin is updated, now it is easier to select the content you wish to scrape from the Wikipedia pages. For details, watch this video!
    Check Wikiomatic ► https://1.envato.market/wikiomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIjvVc8R7YB3YWypylhM8GEJ

    🤔 ABOUT THIS VIDEO 👇
    Wikiomatic got updated, it is now able to use XPath / CSS Selectors / Regex / HTML Class / HTML ID selectors to scrape exactly the parts of the Wikipedia articles which you need.
    Check the above video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SCRAPEWIKIPEDIA #WIKIPEDIASCRAPER #WIKISCRAPER #SCRAPEWIKI

    You kept asking for this feature in Crawlomatic: Product Variants/Variations Scraping Added

    Product variation scraping support: you kept asking for this and I implemented it (based on popular request). For details, watch this video!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    I got multiple questions regarding the ability of Crawlomatic to scrape product variations. Until now, this was not supported and I had to respond to you guys with disappointing answers. However, this changes today, as Crawlomatic is now updated to v2.5.1 and product variation support is added to it!
    All you will need to have is WooCommerce installed, set the ‘Generated Post Type’ settings field in rule settings to ‘product’, so the plugin will create WooCommerce products. Also, check the newly introduced ‘Try to Scrape Product Variations’ checkbox, save settings and you are ready to scrape the first product variants/variations using Crawlomatic!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SCRAPEWOOCOMMERCE #SCRAPESHOPIFY #WOOCOMMERCESCRAPING #SHOPIFYSCRAPING

    HUGE Crawlomatic UPDATE: Scrape BING and GOOGLE Search Results!

    The Crawlomatic plugin got a huge update today, it is able to scrape Bing and Google Search Results! Watch this video for details!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    One of the most difficult pages to scrape is the Google Search Result (SERP) pages.

    Many scrapers find it impossible to scrape content from Google or Bing search results, because the protection mechanisms these search engines put in place to protect their content. However, Crawlomatic found a way to get around this protection, by using the official API Google and Bing are offering to get the search engine results you wish to scrape.

    In the newest 2.5.0 plugin update, I added a new feature (based on popular request), so the plugin to be able to scrape search engine results. This is a really unique feature, which will not be found in any of the other scrapers which are available for WordPress.

    So, go ahead and use refined web searches, to get the most out of your search queries. Check this link for details on how to use refined searches: https://support.google.com/websearch/answer/2466433?hl=en

    Check this tutorial video for details about this HUGE new feature and follow the steps shown in this video to set up the Crawlomatic plugin and start scraping Google or Bing Search Results!

    Check Crawlomatic ► https://1.envato.market/crawlomatic

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SCRAPEGOOGLE #CRAWLGOOGLE #SCRAPEBING #GOOGLESCRAPING

    Scraping LinkedIn Jobs using Crawlomatic

    In this video I show you how to scrape job postings from LinkedIn Jobs using the Crawlomatic plugin: https://1.envato.market/crawlomatic

    🔀 PLAYLIST OF VIDEOS FEATURING THIS PLUGIN 👇
    https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ

    🤔 ABOUT THIS VIDEO 👇
    Based on popular request, I will show you how to scrape LinkedIn job postings using the Crawlomatic plugin. Crawlomatic can be set up to be a LinkedIn Job Scraper.

    Hiring on LinkedIn is without a doubt the most efficient way to do it. People hired from LinkedIn are 40% less likely to leave the job within 6 months and the quality of the tools dedicated to recruiters is incredible. LinkedIn Jobs Scraper comes as a useful addition to these tools by allowing you to extract all the data from a list of jobs into a spreadsheet. This data can then be manipulated in WordPress. Start extracting all the available data of LinkedIn jobs today and set your hiring (or job search) process on autopilot!

    In this video, I teach you how to scrape public available jobs on Linkedin using Crawlomatic.

    Settings I used in the video in the Crawlomatic plugin:

    Scraper Start (Seed) URL:
    https://www.linkedin.com/jobs/search/?f_C=1337%2C39939%2C2587638%2C9202023%2C290903&geoId=92000000

    Do Not Scrape Seed URL:
    checked

    Seed Page Crawling Query Type:
    Class

    Seed Page Crawling Query String:
    base-card__full-link

    Content Query Type:
    Class

    Content Query String:
    decorated-job-posting__details

    Strip HTML Elements by Class:
    show-more-less-html__button show-more-less-html__button–more,show-more-less-html__button show-more-less-html__button–less,face-pile

    Featured Image Query Type:
    Disabled

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #LINKEDINSCRAPER #LINKEDINJOBSCRAPER #SCRAPELINKEDINJOBS #SCRAPELINKEDIN

    New Feature Added to Newsomatic and Youtubomatic: Keyword Search Shortcode!

    The Newsomatic and Youtubomatic plugins are updated, they got a new feature: you will be able to add the keyword you used to search posts directly in the content of posts which are generated by the plugins!
    Check Newsomatic ► https://1.envato.market/newsomatic
    Check Youtubomatic ► https://1.envato.market/youtubomatic

    🔀 PLAYLISTS OF VIDEOS FEATURING THESE PLUGINS 👇
    Newsomatic: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    Youtubomatic: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #YOUTUBOMATIC #KEYWORDSEARCH #AUTOBLOGGING

    How to create a Google Custom Search engine that searches the entire web?

    Yes, Google Custom Search has now replaced the old Search API, but you can still use Google Custom Search to search the entire web, although the steps are not obvious from the Custom Search setup.

    To create a Google Custom Search engine that searches the entire web:

    1. From the Google Custom Search homepage ( http://www.google.com/cse/ ), click Create a Custom Search Engine.
    2. Type a name and description for your search engine.
    3. Under Define your search engine, in the Sites to Search box, enter at least one valid URL (For now, just put www.anyurl.com to get past this screen. More on this later ).
    4. Select the CSE edition you want and accept the Terms of Service, then click Next. Select the layout option you want, and then click Next.
    5. Click any of the links under the Next steps section to navigate to your Control panel.
    6. In the left-hand menu, under Control Panel, click Basics.
    7. In the Search Preferences section, select Search the entire web but emphasize included sites.
    8. Click Save Changes.
    9. In the left-hand menu, under Control Panel, click Sites.
    10. Delete the site you entered during the initial setup process.

    Now your custom search engine will search the entire web.

    Pricing

    • Google Custom Search gives you 100 queries per day for free.
    • After that you pay $5 per 1000 queries.
    • There is a maximum of 10,000 queries per day.

    Source: https://developers.google.com/custom-search/json-api/v1/overview#Pricing

    [⏰14 hours left!] 🔥Envato Elements Flash Sale – get 40% OFF 🎁 for your entire subscription period!

    Check the Envato Elements Flash Sale and get 40% OFF for your subscription!
    Get 40% OFF on Envato Elements NOW ► https://1.envato.market/Elements40OFF

    🤔 ABOUT THIS VIDEO 👇
    Envato Elements Flash Sale – 40% OFF for your monthly or yearly plans, as long as your subscription will be active!

    During the Envato Elements flash sale 2022, You can get Envato Elements Individual monthly subscription for just 17EUR/month or yearly for just 144EUR.

    Best of all, these prices are locked-in for the lifetime of the subscription!

    Once the Envato Elements Flash Sale 2022 ends, the pricing will go back to its original values for monthly and yearly subscriptions respectively!

    You only have 14 hours from now, so act fast! https://1.envato.market/Elements40OFF

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ELEMENTS #ELEMENTSFLASHSALE #FLASHSALE #ENVATOELEMENTS

    Rakutenomatic v2 Update Tutorial: Plugin Configuration Changes Needed, Rakuten API Update

    The Rakutenomatic plugin was updated to v2.0, now it uses the new Rakuten API version. For details on this, watch this video!
    Check Rakutenomatic ► https://1.envato.market/rakutenomatic

    🤔 ABOUT THIS VIDEO 👇
    Rakuten API got updated recently and the old version of their API is shutting down in May 2022, so I updated the plugin to keep it functional also after the migration to the new Rakuten API version.

    In this tutorial video I will show you details on how to reconfigure the plugin, to make it work again also with the new and updated Rakuten API version.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #RAKUTEN #RAKUTENAPI #RAKUTENOMATIC #RAKUTENAFFILIATE

    Tiktokomatic plugin updated: Full Functionality Restored After TikTok Changes

    The Tiktokomatic plugin is able to import videos from TikTok again! For details, watch this video!
    Check Tiktokomatic ► https://1.envato.market/tiktokomatic

    🤔 ABOUT THIS VIDEO 👇
    Since some recent changes in the TikTok API and site, the Tiktokomatic plugin was not functional. However, I managed to make an update for the plugin so it is fully functional again.

    Check the above video for info on how to use this latest update. Tiktokomatic is a WordPress plugin for TikTok. Check it now using the link from above.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TIKTOK #TIKTOKOMATIC #WPTIKTOK #TIKTOKWP

    Crawlomatic new feature: scrape pdf files, mp3 files, video files and any other file type

    The Crawlomatic plugin was updated, its scraping potential was once again improved! Now it can copy any file to your server!
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    A very useful update just landed for the Crawlomatic plugin, now you can scrape multiple file types and copy them locally to your server’s storage.

    This update will allow you to scrape pdf files, to scrape mp3 files, to scrape video files and any other file type and copy them to your local server’s storage. The plugin will also replace the original link from the scraped article content with the file links from your own server’s storage.

    For more info, watch this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #PDFSCRAPER #SCRAPEPDF #SCRAPEMP3 #FILESCRAPER

    Newsomatic Update: Easier Source Selection – write keyword queries to easier find sources

    The Newsomatic plugin got updated, it is able to filter sources by keyword queries. Check Newsomatic: https://1.envato.market/newsomatic
    Check NewsomaticAPI ► https://newsomaticapi.com/

    🤔 ABOUT THIS VIDEO 👇
    This update is based on popular request from you guys, thank you for sending me your tips on improving my plugins!
    Today, in the latest update for the Newsomatic plugin, you will get a new feature added to it: search news sources in the plugin’s dropdown list more easily, using keyword queries.

    Until now, searching through all the sources which the plugin was able to use was a difficult task, especially since the news site list grew very much recently.
    Because of this, I really approved the suggestion which came from one of you guys to update the plugin and to add to it the ability to filter news sources by keyword searches, when setting up new rules.

    Once again, thank you for providing this useful suggestion. If you have more tips or suggestions for the Newsomatic plugin or for other plugins I created, let me know in the comments of this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #NEWSSITE #NEWSBLOG #NEWSOMATICUPDATE

    Mediumomatic update: Import Posts from Medium Tags Listings

    The Mediumomatic plugin got a new update, it is able to import content from Medium Article Tag Listings! For details, watch this video!
    Check Mediumomatic ► https://1.envato.market/mediumomatic

    🤔 ABOUT THIS VIDEO 👇
    The Mediumomatic plugin was updated, based on popular request from your part – it is now able to import content from Medium also based on Medium article tags.

    Check the update in the latest version of the Mediumomatic plugin: https://1.envato.market/mediumomatic

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #MEDIUM #MEDIUMOMATIC #MEDIUMPLUGIN #WPMEDIUM

    Get Discounted Access to Envato Elements – Offer Valid In April 2022 (UPDATE in Description)

    UPDATED VIDEO WITH WORKING COUPON CODE: https://www.youtube.com/watch?v=waBhPYAcW3c

    This video will share with you a link that will allow you to get discounted access to Envato Elements – the validity of the links start in April 2022!
    Get Discounted Access to Envato Elements ► https://www.youtube.com/watch?v=hOtCgPxKDhY

    🤔 ABOUT THIS VIDEO 👇
    Envato Elements only offers one individual subscription plan from which you can choose to subscribe on a monthly or yearly basis. Its price is usually fixed, however, my friends from Envato shared with me a coupon code which will grant you FULL access to Envato Elements for only 1 USD for the first month. This is almost a free account for Envato Elements subscription. Give it a try now!
    This is a unique opportunity to join Envato Elements, to kick start your next project and also start earning money!

    You can cancel at anytime without issues.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ELEMENTS #ELEMENTSCOUPON #ELEMENTSFREE #ENVATOELEMENTSFREE

    What is Scraping and is it legal?

    Basically, scraping involves retrieving web pages and selecting and formatting certain information into a more useful format such as an Excel spreadsheet.

    CodeRevolution is not a lawyer and nothing he says should be taken as legal advice.  Consult an attorney for authoritative guidance.  However, it would most likely be illegal to scrape copyrighted material and republish it for the general public.  It is my understanding that facts can not be copyrighted.  Therefore, you would be within your legal rights to scrape weather information for Chicago and do whatever you please with it.

    Scraping is not hacking.  I will not hack into data that you are not authorized to process.

    Newsomatic New Update: Exclude Countries From The News Results

    The Newsomatic plugin and the NewsomaticAPI service were updated, now you can also exclude countries from the resulting news posts!
    Check the Newsomatic plugin ► https://1.envato.market/newsomatic
    Check NewsomaticAPI ► https://newsomaticapi.com/

    🤔 ABOUT THIS VIDEO 👇
    Based on popular request, the Newsomatic plugin and the NewsomaticAPI service were both updated, a new feature was added to them: you can filter posts and exclude countries from being listed in the results.

    This can be useful in many cases, for example: if you query English language posts and want to import content from all English speaking countries excluding Great Britain and USA.

    If you have more similar update ideas for the Newsomatic plugin or for NewsomaticAPI, let me know in the comments of this video and I will be happy to read them and implement them!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #NEWSOMATICPLUGIN #NEWSOMATICAPI #NEWSAPI

    Hentai Manga Scraper Plugin for the Madara Theme on WordPress

    Let me show you a new Hentai Manga scraper plugin I created, working on the Madara Theme for WordPress!
    Hentai Manga Scraper Plugin ► https://coderevolution.ro/product/hentai-manga-scraper-hentairead-com-crawler/
    Madara Theme ► https://mangabooth.com/product/wp-manga-theme-madara/

    🤔 ABOUT THIS VIDEO 👇
    If you want to scrape Hentai Manga for the Madara Theme on WordPress, this is the plugin you will need.
    Hentai Manga Scraper – hentairead.com Crawler will automatically create autopilot Hentai manga websites, using its powerful novel crawler engine, with just some easy setup steps. It can turn your new manga website into a autoblogging or even a money making machine! This Hentai manga scraper plugin is able to create automatic novel postings for your website.
    Using this plugin, you can easily scrape:

    – a large list of hentai manga, with full chapters (from hentairead.com)
    If you run it manually: the plugin needs just one click and leave it running. If you run it by a schedule, sit back and forget about it, because you will not need to do anything more, just watch your manga website’s traffic grow.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #HENTAI #HENTAIMANGA #MANGASCRAPER #SCRAPEMANGA

    HeadlessBrowserAPI Update: Bypass Bot Detection, More Stealth, Solve CAPTCHAs and Block Ads

    HeadlessBrowserAPI was updated, it got tons of new features! For more details, watch this video!
    Check HeadlessBrowserAPI ► https://headlessbrowserapi.com/
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    HadlessBrowserAPI got a major update today, it is using some advanced features in its Puppeteer and Tor endpoints to hide the fact that a headless browser is scraping websites and simulate a full desktop browser. This will help you to bypass bot detection when using the API.

    Also, in this new update, you will be able to solve CAPTCHAs that might appear on scraped websites and even block ads from appearing in the scraped content, exactly like how you would do in your desktop Chrome browser, if you install an AdBlock extension to it.

    Check the cool new features of HeadlessBrowserAPI: https://headlessbrowserapi.com/

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #HEADLESSBROWSERAPI #SCRAPERAPI #CRAWLERAPI #SCRAPINGAPI

    How to check how much free disk space do you have on your Digital Ocean droplet?

    These tips will help you to find how much free disk space do you have on your Digital Ocean droplet. For more info, watch this video!
    Sign up to Digital Ocean with 100$ free credit ► https://m.do.co/c/78332a7b4ad2

    🤔 ABOUT THIS VIDEO 👇
    Digital Ocean – How to tell how much free space do you have on your droplet? How can I tell how much disk space is available on my Droplet? Digital Ocean how to tell how much free space do you still have on your droplet?

    Solution (also shown in the above video):
    Type “df -h” on the terminal to find how much disk space has been used and is available.
    Check the exact method shown in this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #DIGITALOCEAN #DIGITALOCEANDROPLET #VPS #FREESPACE

    How to Replace wp_cron from your WordPress site with Real Cron / Server Side Cron?

    Let me show you how to replace wp_cron with a real cron job on your server! For details, watch this video!

    💻 INSTRUCTIONS 👇
    Check the commands and instructions mentioned in this video, here: https://docs.google.com/document/d/1gug8qhkyBBykzhC-plcBxpX8VBMZ9CfGaXHO1FGQtyY/edit?usp=sharing

    🤔 INSTRUCTIONS 👇
    Do you intend to disable wp-cron as well as replace it with your own real cron job?

    Changing wp-cron with your own cron job can help you to run your website’s scheduled tasks extra reliably. Also, it will decrease the stress on your web server, if you have a high-traffic website.

    Wp-cron is a feature of WordPresss which is in charge of regulating your site’s time-sensitive tasks.

    For example, let’s say you scheduled an article to be published on Wednesday at 9:30 AM. Wp-cron launches this process automatically when the right time arrives (or at the least, as near “on time” as possible).

    In addition to this, WordPress relies on wp_cron to manage multiple schedule-sensitive parts of the your site.

    The big difference is that wp-cron only executes when you or another person visits your website (either on the front-end or in your dashboard). Whenever someone visits your site, WordPress will run the wp-cron.php file and check for scheduled tasks. If there is a task, it will then execute it.

    There are two reasons behind disabling wp-cron and replacing it with your own dedicated cron job:

    Reliability – as the example above illustrated, wp-cron isn’t always reliable on low-traffic sites because it needs a website visit to execute. With a real cron job, you can set your tasks to execute every X minutes no matter what – even if there are no visits.
    Performance – on high-traffic sites, some people don’t like wp-cron because WordPress will run the wp-cron.php file on almost every single visit. WordPress tries to limit this by not running it more than once per 60 seconds, but there can still be performance drags for various technical reasons, such as simultaneous visits both triggering wp-cron.

    Now that you know the “what” and “why”, let’s get into the “how.” We’ll show you how to disable wp-cron and then replace it with your own server cron job (or another solution).

    There are two parts to the process:

    1. You need to disable the built-in wp-cron feature so that WordPress doesn’t run wp-cron.php on every visit. To do this, you just need to add a line of code to your site’s wp-config.php file.
    2. You need to set up your own cron job to call wp-cron.php on the schedule that you set. With this, you can run wp-cron.php on a specific schedule, whether or not your site receives traffic.

    Check the above video for info on how to replace wp cron with server side cron.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WPCRON #REPLACEWPCRON #SERVERCRON #CRON

    Let me tell you the story behind the Newsomatic plugin

    Let me tell you the story which led to the creation of the Newsomatic plugin!
    Check Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    This video will tell the story which led to the creation of the Newsomatic plugin. So, basically, it was pitched to me back in Spring 2017, by email, by somebody who thought that a plugin which would import news posts from newsapi.org would be very useful.
    I listed to the suggestion which was made to me and I created the Newsomatic plugin as a result.
    Since then, the Newsomatic plugin evolved to use its own API, moving away from newsapi.org and using its own API, which I created, called NewsomaticAPI: https://www.newsomaticapi.com/

    So, I want to thank the sender of the email which pitched the idea of Newsomatic, because it really helped me evolve and find my journey in life.

    If you have your own plugin suggestion and want to pitch your idea to me, you can do it using my email: support@coderevolution.ro

    Thank you and keep being awesome!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #NEWSOMATICHISTORY #NEWSOMATICPLUGIN #HOWITSMADE

    What is the difference between Newsomatic and Ultimate News Aggregator?

    In this video I will explain what is the difference between Newsomatic and Ultimate News Aggregator plugins! For more info, watch this video!
    Check Newsomatic ► https://1.envato.market/newsomatic
    Check Ultimate News Aggregator ► https://1.envato.market/UltimateNewsAggregator

    🤔 ABOUT THIS VIDEO 👇
    If you want to create a new site, you might have found Newsomatic and Ultimate News Aggregator. You might wonder what is the difference between these two plugins. In this video, I will explain this.

    So, basically, Newsomatic will create posts on your site coming from popular news articles, while the Ultimate News Aggregator plugin will list the latest news from different sources you add in its settings. These posts will be listed and displayed on a page, directly on your website, in an iframe or in a built-in news reader which will dynamically display the full content of different news sources which visitors select.

    Check the above video for more details on this!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #ULTIMATENEWSAGGREGATOR #NEWSAGGREGATOR #NEWSWEBSITE

    Scam of the Year Award! 👺 Buy pirated WordPress plugins at double of their original price! promex.me

    A friend just sent me the link of a scam website and the idea behind it is really funny! I want to share it with you!
    Check my Genuine Plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    It seems that scams are going to a new level now, as people are selling WordPress plugins which are available on CodeCanyon for double their original price! Yes, you heard me right, double price! Also, for the double price you will pay, you don’t get any support, because you did not buy the plugin from the developer!

    Even more, the site mentioned above will have a monthly subscription (costing 30$), which will discount the double priced plugins by 30%! Great deal, don’t you think? You pay 30$ monthly, to get a 30% discount on the plugins which are 100% more expensive than their genuine price.

    Great Deal!

    This is the most interesting scam site I saw in a long time! Really astonished me.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Method to Set Up Free Temporary WordPress Sites for Testing 🔥 InstaWP

    Let me show you a site where you can set up free instances of WordPress for testing your themes and plugins, without any hassle! Even no signup required!
    Check InstaWP ► https://app.instawp.io/onboard

    🤔 ABOUT THIS VIDEO 👇
    Instant Sites powered by InstaWP. As the name suggests, you immediately get a WordPress instance ready to go! For its basic functionality, no signup required!
    If you want to get more detailed features, like PHP settings management, WP_DEBUG enabled or other management settings of your temporary WordPress site, you need to create a free account at InstaWP.

    Bonus features if you create a free account:
    – Remove 3 site limit
    – Increase expiry time to 48 hours
    – Access previously created instances
    – Launch instances from Slack
    – Deleted unused instances

    They have also premium plans available, if you want to take the temporary site creation even a step further!

    Check the above video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TEMPWP #INSTAWP #TESTWORDPRESS #TESTWP

    How to install Tor as a Service on Windows

    These tips will help you to install Tor as a service on Windows. If you want to get details on how to do this, watch this video!
    Download Tor ► https://www.torproject.org/download/
    Use Tor in Crawlomatic Scraper ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Open the Windows File Explorer and navigate to the directory in which you installed the Tor Browser.

    – Go into the BrowserTorBrowser directory
    – You should see a “Tor” folder in this directory
    – Copy the path of this folder
    – Open up a cmd with Admin privileges
    – Enter cd and paste the path you copied
    – This will open the Windows CLI already in the context of the BrowserTorBrowserTor
    – Now, write the command from below:

    tor.exe –service install

    That’s it – now you are running Tor as a service on Windows!

    You can check if the service was installed by opening the Windows Services snap-in by holding down the Windows Key while pressing R and typing services.msc and search for Tor service listed.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TOR #TORONWINDOWS #TORASASERVICE #TORSERVICE

    Ultimate News Aggregator Plugin for WordPress – Tutorial Video

    These tips will help you to set up and configure the Ultimate News Aggregator plugin. If you want to find out more, watch this video!
    Check the Ultimate News Aggregator plugin ► https://1.envato.market/UltimateNewsAggregator

    🤔 ABOUT THIS VIDEO 👇
    The Ultimate News Aggregator plugin makes it easy to follow the websites you care about all in one place. I have created a quick YouTube tutorial to walk you through all the key features on the Ultimate News Aggregator plugin. Please check it out! 📹
    This plugin’s main idea is built around efficient browsing. The goal is to serve the latest news and inspiration in a way that doesn’t consume your visitor’s time.

    Questions? Concerns? Suggestions? Hit the commenting section, I am listening.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSAGGREGATOR #ULTIMATENEWSAGGREGATOR #WPNEWSAGGREGATOR #RSSAGGREGATOR

    Ultimate News Aggregator plugin – example of a promo video for a news aggregator site created by it

    This is an example promo video which can be created for sites using the Ultimate News Aggregator plugin!
    Check the Ultimate News Aggregator ► https://1.envato.market/UltimateNewsAggregator

    🤔 ABOUT THIS VIDEO 👇
    This video is an example promo for a site which is created using the Ultimate News Aggregator plugin, which is a great tool for anyone working as a web designer, developer, or who has the entrepreneurial spirit. It creates sites which are unique among other aggregator sites because it follows any news site you add to it, including even Dribble, Behance, Product Hunt, GitHub. Not to mention Hacker News. Aggregating the aggregators!

    Its interface has more visual appeal than most of the other news aggregator websites on this list. The Ultimate News Aggregator plugin will offer a professional look and feel for your website, while also allowing you to add some subtle ads in the content of it.

    Ultimate News Aggregator in one word: Awesome.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #PROMOVIDEO #NEWSAGGREGATOR #PROMO #NEWSSITE

    How to get the numeric IDs of categories from any WordPress site?

    These tips will help you to get the numeric IDs of categories from WordPress sites. If you want to learn more, watch this video!
    Use WordPressomatic to import posts based on the numeric category ID ► https://1.envato.market/wordpressomatic

    🤔 ABOUT THIS VIDEO 👇
    This method is useful to grab the category ID from any WordPress site (even if it does not belong to you and you don’t have access to the WordPress admin dashboard). Easily find the category ID in WordPress.

    If you don’t have access to the admin dashboard, to get the WordPress category ID, you need to view the HTML source of the WordPress site in your browser and search for some specific places in it, where WordPress usually adds the category IDs.

    So, to grab the numeric ID of the WordPress category, go to the category listing page, similar to: https://targetsite.com/category/targetcategoryslug
    When you are on the above page, search for any of these and the category IDs should be displayed:

    category-
    OR
    /wp-json/wp/v2/categories/

    You should see the category number using any of the above searches, as shown in the above video.

    If you have access to the admin dashboard, to find out the ID for specific categories you can simply hover with your mouse over the category name and in the status bar (usually lower left corner of your browser) you will now see a URL popping up. This URL contains the ID of the particular category and appears behind the term tag (tag_ID=202).

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WORDPRESS #WORDPRESSCATEGORYID #WORDPRESSCATEGORY #WPCATEGORY

    News Aggregator Plugin Almost Ready! Check its current features and let me know your ideas of it!

    The News Aggregator Plugin which I announced a while ago is almost ready! Check this video for its current features and let me know your ideas of it!
    Check the Ultimate News Aggregator ► https://1.envato.market/UltimateNewsAggregator

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #WORDPRESSPLUGIN #NEWSAGGREGATOR #NEWSWEBSITE

    Envato March Sale Huge Discounts! 22 Plugins I Created Are Currently Discounted Up To 50%!

    Envato selected a huge number of plugins I created to be included in this year’s March Sale! It is 22! Check the full list of them, below:

    Newsomatic ► https://1.envato.market/newsomatic
    Echo RSS ► https://1.envato.market/echo
    Crawlomatic ► https://1.envato.market/crawlomatic
    F-omatic ► https://1.envato.market/fbomatic
    Youtubomatic ► https://1.envato.market/youtubomatic
    Wordpressomatic ► https://1.envato.market/wordpressomatic
    Amazomatic ► https://1.envato.market/amazomatic
    Kronos Automatic Post Expirator ► https://1.envato.market/kronos
    Recipeomatic ► https://1.envato.market/recipeomatic
    Ebayomatic ► https://1.envato.market/ebayomatic
    Redditomatic ► https://1.envato.market/redditomatic
    Spinomatic ► https://1.envato.market/spinomatic
    Trendomatic ► https://1.envato.market/trendomatic
    Pinterestomatic ► https://1.envato.market/pinterestomatic
    Hand of Midas ► https://1.envato.market/midas
    Ezinomatic ► https://1.envato.market/ezinomatic
    Blogspotomatic ► https://1.envato.market/blogspotomatic
    Careeromatic ► https://1.envato.market/careeromatic
    WP Setup Wizard ► https://1.envato.market/WPSetupWizard
    URL to RSS ► https://1.envato.market/customcuratedrss
    Twitomatic ► https://1.envato.market/twitomatic
    Ultimate Web Novel and Manga Scraper ► https://1.envato.market/ultimate-manga-scraper

    XLSX with the FULL list of discounted items ► https://docs.google.com/spreadsheets/d/1Pd6dGYchC-0X6pkXSIEAySqGg_LxQoesCwfRviA8mE8/edit?usp=sharing

    Filter all discounted items here ► https://themeforest.net/search?discounted_only=1&discount_type=author

    🤔 ABOUT THIS VIDEO 👇
    This year’s Envato March Sale offers up to 50% flat off on selected items from ThemeForest, CodeCanyon and VideoHive. March Sale campaign is live between Monday 21 March 1am (UTC) and Friday 25 March 12:59pm (UTC) 2022. Let’s see some huge discounts for the items which were selected by Envato’s Team for this event!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODECANYON #MARCHSALE #ENVATODISCOUNT #ENVATO

    WebMinePool Crypto Miner WordPress Plugin Gamification Update

    The WebMinePool Crypto Miner Plugin was updated, it can be integrated with the MyCred plugin to allow visitors to get rewarded for their mining!

    WebMinePool Virtual Crypto Farm Plugin for WordPress ► https://coderevolution.ro/product/webminepool-virtual-crypto-farm-plugin-for-wordpress/
    myCred – Points, Rewards, Gamification, Ranks, Badges & Loyalty Plugin ► https://ro.wordpress.org/plugins/mycred/

    🤔 ABOUT THIS VIDEO 👇
    Check the WebMinePool Crypto Miner WordPress Plugin Gamification Update! It can now be integrated with the MyCred plugin to allow visitors who mine crypto using the plugin points, based on which they can earn rewards.
    Check this video for details on this new update!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #GAMIFICATION #CRYPTOMINER #WEBMINEPOOL #CRYPTOGAMIFICATION

    How Much Did YouTube Pay Me For 1 Million Views On My Channel? (Showing Also Real Channel Analytics)

    Hurray! I just hit 1 Million Views on this YouTube channel! Let me show you details about how this channel performed over time!

    🤔 ABOUT THIS VIDEO 👇
    Find out how much YouTubers REALLY earn as I reveal how much YouTube AdSense paid me after reaching 1 Million views on my YouTube channel – CodeRevolution TV!
    Today I am showing you guys a little bit of how making money on YouTube worked for me. If you’re a YouTuber yourself this information is really important to maximize the amount you are earning on YouTube. If you’re not a YouTuber, I hope this video is helpful and clears up questions you might had about YouTube earnings and monetization.

    I made this video for the following reasons:
    1. To show you How much Youtubers make from AdSense earnings
    2. How much Youtubers make with a small channel
    3. To show you how to make money on YouTube

    Please give this video a thumbs up and subscribe to my channel if you enjoyed this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBEEARNINGS #1MILLIONVIEWS #YOUTUBEREVENUE #YOUTUBECHANNELEARNINGS

    Crawlomatic Update: WooCommerce Product Gallery Scraping Support Added

    The Crawlomatic plugin was updated, now it is able to scrape also product gallery images!
    Check the Crawlomatic plugin ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Based on popular requests, I updated the Crawlomatic plugin, now it is able to automatically scrape also product images from websites and automatically add them to WooCommerce product galleries. Crawlomatic can also automatically edit the image URLs, based on Regex you set up in the plugin’s settings and to transform small resolution image to high resolution images.

    Check the above video for details, where I will show this new feature in action.

    If you have more update ideas for Crawlomatic or for other plugins I created, let me know in the comments section of this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WOOCOMMERCESCRAPING #PRODUCTGALLERY #WOOCOMMERCEGALLERY #CRAWLOMATIC

    Echo RSS Update: Strip or Replace RSS Feed Content or Title Using Regex

    The Echo RSS plugin is now updated, it is able to edit the content or titles of RSS feeds which it creates.
    Check the Echo RSS plugin ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇
    The Echo RSS plugin got a new update today, it is able to automatically edit the content and title of created RSS feeds. You can write your own Regex expressions to strip or replace parts of the content or title of the created RSS feeds.
    You can use this website to create your Regex: https://regexr.com/

    This update was made based on popular request. If you have more update ideas for this or other plugins I created, let me know in the comments of this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #REGEX #ECHORSS #RSSFEED #EDITRSSFEED

    Great News! Envato selected 5 of my plugins for their March Sale Campaign! 50% discount incoming!

    Great news today! Envato officially selected 5 plugins I created to be included in their March Sale Campaign (50% OFF)! Check the plugins below:
    Newsomatic ► https://1.envato.market/newsomatic
    Echo RSS ► https://1.envato.market/echo
    Crawlomatic ► https://1.envato.market/crawlomatic
    F-omatic ► https://1.envato.market/fbomatic
    Youtubomatic ► https://1.envato.market/youtubomatic

    🤔 ABOUT THIS VIDEO 👇
    I’ve been selected for Envato’s March Sale 2022!
    Envato’s March Sale campaign will be live between Monday 21st March 1am (UTC) and Friday 25th March 12:59pm (UTC) 2022.

    The included items will be sold at a 50% discount of their original price (for example, Newsomatic will be discounted to only $19) during the campaign. Prices on Envato Market can only be set to a whole dollar value, therefore your new price is rounded down.

    If you need some more licenses for the above plugins, at the end of March will be the best time to grab them!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ENVATO #ENVATOPROMOTION #ENVATOMARCHSALE #MARCHSALE

    Youtubomatic Update: Add a Watermark, Brand Logo or Overlay Image to the Videos Uploaded to YouTube

    The Youtubomatic plugin was updated, now it can apply a Watermark, Brand Logo or Overlay Image to videos uploaded to YouTube!
    Check Youtubomatic here ► https://1.envato.market/youtubomatic

    This update requires ffmpeg to be installed on your server. Check how to install ffmpeg, here ► https://www.youtube.com/watch?v=k5ECxCKnzHE

    🤔 ABOUT THIS VIDEO 👇
    Based on popular requests, I updated the Youtubomatic plugin, now it is able to automatically modify the videos which are uploaded to YouTube and to add an overlay image, brand logo or even a watermark to them, automatically. You can simply link an image which you wish to use, from the plugin’s settings and Youtubomatic will automatically apply the linked image to the videos it uploads. The image can be positioned on the top right, top left, bottom right, bottom left or center of the video.
    This feature will also modify the videos, making them unique.
    This update requires ffmpeg to be installed on your server, so to go ahead and install it, check the tutorial video linked from above.

    If you have more feature suggestions or requests for this or other plugins I created, let me know!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBOMATIC #VIDEOLOGO #WATERMARKVIDEO #VIDEOOVERLAY

    Etsyomatic update: Etsy v3 API support + new way to generate an Etsy API key

    The Etsyomatic plugin is updated, now it will work using the Etsy v3 API. The v2 API will be deprecated and disabled during 2022, but the plugin will continue to function, because of this update to the v3 API.
    Check Etsyomatic here ► https://1.envato.market/etsyomatic

    🤔 ABOUT THIS VIDEO 👇
    Etsy has updated their API recently and released a new version of it: v3 API. The v2 API currently is still functioning, however, during Q3/Q4 of 2022 they will disable this old v2 API.
    Because of this, to keep the plugin functioning after the v2 API deprecation, I updated the Etsyomatic plugin to use the v3 API, so it will be able to continue to work even on the long run.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ETSYOMATIC #ETSY #ETSYAFFILIATE #ETSYAPI

    Crawlomatic Update: Scrape WooCommerce Products and Create Product Attributes from Scraped Data

    The Crawlomatic plugin is updated, now it is able to also create WooCommerce product attributes from scraped data. Check this video for details on how to do this!

    Check the Crawlomatic Plugin ► https://1.envato.market/crawlomatic

    Check and reuse the plugin settings used in this video ► https://docs.google.com/document/d/17e2OJooMXsFS92k77zx_kvsAF1dMqyNrjTDJXmMLpgA/edit?usp=sharing

    🤔 ABOUT THIS VIDEO 👇
    The Crawlomatic plugin is updated again, now it is also able to create WooCommerce product attributes from the scraped data.
    If you want to scrape detailed product information in WooCommerce, be sure to update the plugin to its latest version (v2.4.0 or newer). These versions will be able to benefit of the method shown in the above video, which will allow the plugin to create WooCommerce product attributes from scraped data.

    This update was created based on popular request. If you have more ideas of future updates for the plugin, let me know in the comments section of this video.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CRAWLOMATIC #PRODUCTATTRIBUTES #PRODUCTSCRAPING #WOOCOMMERCESCRAPING

    New Update Coming to Newsomatic: News Aggregator Feature – Plain, List, Grid, Ticker Listing Styles

    The Newsomatic plugin is now updated (v3.2.0) and got a new feature: News Aggregator support using Plain, List, Grid or Ticker News Listing Styles! Check the video for details!
    Check Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    Do you want to list the top stories from CNN or BBC on your site? The latest update for the Newsomatic plugin will display any of the world’s famous newspaper’s Breaking News Headlines on your website.

    Get an API Key from newsomaticapi.com, add it in API settings, put the shortcode or the Gutenberg block on your pages and you are done!

    🌟 Newsomatic Plugin Features Latest Features:
    Dynamic caching time
    Fast loading time
    Multiple layout types: plain, list, grid or marquee
    Fully responsive for any device
    Shortcode or Gutenberg block support

    ➡️ Benefits you’ll get by using the latest update of the Newsomatic plugin:
    💥 Increase social involvement
    💥 Reaching unlimited people
    💥 Improve google ranking
    💥 No coding required

    Check the latest update of Newsomatic now! Be sure to use v3.2.0 or later to benefit of this new feature!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Windows 10, Broadcast your IP Camera Live Stream to YouTube

    I wanted to live stream my personal honeybee hive to YouTube.

    Requirements:

    1. IP camera with native RTSP and RTMP Although you may not need it, I wanted night IR, Pan and Zoom camera features.  After some false starts and testing a few cameras from Amazon, I settled on a Dericam PTZ IP Camera, Model S1 for $ 149.00.
    2. Download and install the VLC media player. My version is 2.2.4 Weatherwax.  This is available as a free download.
    3. Obviously, you need to have a YouTube account, so register & set one up if you don’t already have one.
    4. Finally, download and install the free Open Broadcasting System (OBS) latest version.

    Step 1 – Set up your camera.

    Follow your camera’s setup procedures.  After finishing, your camera should have a local IP address (192.168….)  and have some basic settings.

    Your settings may be different, but be sure that your camera has an IP address.

    There should be some video settings, and these are important for smooth streaming to YouTube.

    The key settings for streaming are the Bitrate and the Frame Rate.  You may need to play with these setting to get the results you want.

    For best results, your camera should be on a high speed wired connection, but that was not possible for my purposes – so I have my camera connected via WiFi which sometimes makes my YouTube live stream a bit choppy.

    Step 2 – VLC, confirm RTSP camera feed.

    Different IP camera’s may have different RTSP feed strings for VLC, but every camera’s customer support team should be able to provide you with a connection string to stream your camera’s feed locally to your installed VLC player.

    You cannot continue if you cannot see your camera’s feed in your installed VLC player.

    Here’s my Dericam connection string:  rtsp://admin:Password@192.168.0.88:554/11. Your login – [admin:Password] will be different, as will your camera’s IP address.  The standard RTSP port protocol is 554, so that probably won’t change.  My camera’s stream is 11 (meaning camera 1).

    Once you have your camera’s RTSP connection string, start the VLC player.

    Click the Media drop down menu

    Select “Open Network Stream” and enter your RTSP connection string from step 2.

    Click “Play”.  You should see your camera’s live stream.  If you don’t, check your connection string.  Work with your camera’s customer support until you can successfully stream your camera to your VLC player.

    Step 3 – Set up YouTube Live Stream.

    Go to your YouTube Live Dashboard and enter all your stream’s basic information.  Be sure to review “Advanced Settings”.

    Copy your “Encoder Setup” to a text document on your computer – you will need this information to set up your Open Broadcasting System (OBS).

    Step 4 – Set up Open Broadcasting System (OBS).

    Start OBS Studio.

    Note: Be sure that “View”, “List boxes” is checked so you see the “+” sign in the Sources box.

    Click the “+” in Sources and select “VLC Video Source” in the drop down menu.

    You can name your source anything you want – I left it as the default “VLC Video Source”.  Check “Make source visible.

    Click “OK”, and the property window will be displayed.

    Click the “+” sign on the right, and select “Add Path/URL”.  A model window will display. This is where you will add your camera’s RTSP connection string from step 2.

    Click “OK” and your connected properties window will appear with your camera’s stream playing.

    If you had multiple camera’s and multiple streams, you would continue to add them here.  Loop Playlist checkbox would then loop through all your different streams.  I only have one camera, so the Loop Playlist checkbox is disregarded.

    Click “OK” to exit the properties window.

    Click on “Settings” on the right.

    Click on “Stream” on the Left to enter your YouTube Live Stream credentials.

    Click ‘OK”.

    Click on “Output”.

    Note the Video Bitrate.  I find my streaming works best when this closely matches the bitrate you set for your camera in step 1.  I also find the Encoder Preset setting “veryfast” works best for me.  Your settings may change, and you should both test and experiment with various settings.

    Important:  Finally, confirm that OBS is connecting to the correct network card(service).  Select Advanced and check your Network setting at the bottom of the page – bind to IP connection, you should have a drop down list to select the proper choice.

    Note: You should also check the various settings in Video and Advanced to further customize your live stream.

    Click “OK” to return to the main OBS dashboard.

    Use the Red Framing outline to drag your streaming output to your desired window size.

    Click “Start Streaming” to start streaming to YouTube.

    In a few delay seconds – you should be live streaming on YouTube!

    Create your own Fiverr Affiliate Website Automatically Scraping Gigs Using the Crawlomatic Plugin

    Let me show you how you can use the Crawlomatic plugin to create your own Fiverr affiliate website and to scrape Fiverr gigs, automatically adding your affiliate ID to the scraped links. Check the above video for details (instructions below)!

    Check the Crawlomatic plugin ► https://1.envato.market/crawlomatic

    Get your Fiverr affiliate ID from here ► https://fiverraffiliates.com/affiliatev2/#!/app/marketing-tools/default-links

    Check the required plugin settings below:
    —————————————-
    Scraper Start (Seed) URL:
    https://www.fiverr.com/categories/graphics-design/creative-logo-design?source=hplo_subcat_first_step&pos=1

    Run Regex On Content:
    (https?://(?:www.)?[-a-zA-Z0-9@:%._+#=]{1,256}.[a-zA-Z0-9()]{1,6}b(?:[-a-zA-Z0-9()@:%_+.#?&//=]*))

    Replace Matches From Regex (Content):
    https://go.fiverr.com/visit/?bta=57349&brand=fiverrcpa&landingPage=$1

    Do Not Scrape Seed URL:
    checked

    Seed Page Crawling Query Type:
    XPath

    Seed Page Crawling Query String:
    //*[@class=’gig-wrapper-impressions gig-wrapper card’]

    Content Query Type:
    Class

    Content Query String:
    gig-description

    Generated Post Content:
    %%item_content%% %%item_read_more_button%%
    —————————————-
    Google Docs link with the above settings: https://docs.google.com/document/d/1SzEvDWqYGuhqnPvvstTCx870eqm9XxXNYdwzHREwX5g/edit?usp=sharing
    —————————————-

    🤔 ABOUT THIS VIDEO 👇
    In this video I will show you how to create your own Fiverr affiliate website, using the Crawlomatic plugin. It will automatically scrape gigs from Fiverr and will publish them to your own website, with your affiliate link added to the imported links. Go ahead and set up the Crawlomatic plugin using the settings shown above and run a Fiverr affiliate site on autopilot!
    Check the above video and learn how to build affiliate websites using WordPress!
    Following the above steps, build fiverr affiliate websites will be an easy and automatic process. Check the above video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #FIVERRAFFILIATE #WPFIVERRAFFILIATE #FIVERR #PASSIVEINCOME

    Youtubomatic update: Automatically Add Uploaded Videos to YouTube Playlists

    The Youtubomatic plugin got a new update today! It will be able to add uploaded videos to YouTube playlists!
    Check Youtubomatic ► https://1.envato.market/youtubomatic

    🤔 ABOUT THIS VIDEO 👇
    Let me show you a brand new update for the Youtubomatic plugin, now it is able to automatically add videos uploaded to YouTube to one or multiple playlists. Let me demonstrate this new feature, in the video from above.

    This feature is added to the plugin based on popular request from you guys. So, if you have more update or feature ideas which you would like to be added to the Youtubomatic plugin or other plugins I created, let me know in the comments from below!
    Besides its automatic video upload feature, the Youtubomatic plugin will now allow you also automatic playlist assignation.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBEAUTOUPLOAD #AUTOUPLOADYOUTUBE #AUTOUPLOAD #VIDEOAUTOUPLOAD

    Plugin Evolution Video Series: Episode 2 – How Echo RSS Evolved Over the Years

    In this video I will show you details on how the Echo RSS plugin evolved over its current 5 year lifespan.
    Check Echo RSS ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇
    Many of the most popular plugins I created were initially published in 2017. In this 4 episode video series I will show you have some of the plugins I created evolved over the years.
    I will check the update logs and compare the first version of each plugin v1.0 with their latest version.
    In today’s episode, I will be showing you how the Echo RSS plugin evolved over the years! The updates can be seen also in the plugin’s changelog and update log.
    Check this video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ECHORSS #ECHOUPDATES #PLUGINEVOLUTION #ECHORSSEVOLUTION

    Plugin Evolution Video Series: Episode 1 – How Newsomatic Evolved Over the Years

    In this video I will show you details on how the Newsomatic plugin evolved over its current 5 year lifespan.
    Check Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    Many of the most popular plugins I created were initially published in 2017. In this 4 episode video series I will show you have some of the plugins I created evolved over the years.
    I will check the update logs and compare the first version of each plugin v1.0 with their latest version.
    In today’s episode, I will be showing you how the Newsomatic plugin evolved over the years! The updates can be seen also in the plugin’s changelog and update log.
    Check this video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #NEWSOMATICUPDATES #PLUGINEVOLUTION #NEWSOMATICEVOLUTION

    Update for Video Uploader Plugins: Link and Upload Videos From Remote Servers

    The video uploader plugins I created were updated, now they are able to automatically upload remote linked videos! Check the plugins below:
    Youtubomatic ► https://1.envato.market/youtubomatic
    DMomatic ► https://1.envato.market/dmomatic
    YouLive ► https://1.envato.market/youlive
    OKomatic ► https://1.envato.market/okomatic
    MultiLive ► https://1.envato.market/multilive
    F-Live ► https://1.envato.market/facelive
    F-omatic ► https://1.envato.market/fbomatic
    Vimeomatic ► https://1.envato.market/vimeomatic

    🤔 ABOUT THIS VIDEO 👇
    A new update landed today for my video uploader plugins, starting from today, they will be able to automatically upload or live stream videos if they are linked from other websites (external websites).
    This new feature is based on multiple requests from you guys. If you have more similar update ideas, let me know in the comments of this video!
    This update will help you to automatically upload videos to YouTube.
    It will also show you how to upload YouTube videos 1080p automatically. Following the steps from this video you will be able to upload YouTube videos faster.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #REMOTEVIDEOUPLOAD #VIDEOUPLOAD #AUTOMATICVIDEOUPLOAD #AUTOMATICUPLOAD

    Trendomatic – Webz.io (formerly WebHose) Google Trends Plugin for WordPress – Updated Tutorial 2022

    This is an updated tutorial video for the Trendomatic plugin, from 2022. The WebHose API was rebranded to Webz.io and the old tutorial video needed to be replaced with this one
    Trendomatic ► https://coderevolution.ro
    Old tutorial video of Trendomatic ► https://www.youtube.com/watch?v=-V2dzJeqq4g

    🤔 ABOUT THIS VIDEO 👇
    The Trendomatic plugin was updated quite a lot during the years, so there was a need for a new and updated tutorial video for it, showing its latest features and explaining its new setup process, with webz.io (because webhose.io was renamed to webz.io).

    Trendomatic Automatic Post Generator Plugin for WordPress is a breaking edge Webz.io (as a content source) and Google Trends (as a trending keyword source) post importer plugin that is ideal for autoblogging. It uses the Webz.io API combined with Google Trends to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WEBZIO #TRENDOMATIC #TRENDOMATICPLUGIN #GOOGLETRENDS

    Trendomatic updated: WebHose.io rebranded to Webz.io – What you need to know about this update?

    The WebHose.io website and API was rebranded to Webz.io – check this video to check what you need to know about this update!
    Trendomatic ► https://1.envato.market/trendomatic

    Do you guys have access to the govt.api of webz.io? if yes, please share https://docs.webz.io/reference#gov-data-api – you can contact me at support@coderevolution.ro
    Contact me for info ► support@coderevolution.ro

    🤔 ABOUT THIS VIDEO 👇
    WebHose was renamed recently to Webz.io and I had to update the Trendomatic plugin to work with the new changes.

    When they renamed WebHose to Webz.io, they looked for a short, simple, and of course – accurate name that relates to their story. The API was also changed and new features were added. The plugin now benefits of these updates and new features, it is able to use a new API endpoint which was added recently to Webz.io, the Enriched News Endpoin (nseFilter).

    Also, if you have access to the govFilter, the Webz.io endpoint which imports government published news and data, let me know in email, at support@coderevolution.ro

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WEBZIO #WEBHOSE #TRENDOMATIC #WEBDATA

    My plugins just got better! You will be able to add titles and descriptions to rules you create!

    My plugins just got a new update in their latest version, they are allowing now you to set a description or title for rules, for a better importing campaign management!

    Check updated plugin list:
    Newsomatic ► https://1.envato.market/newsomatic
    Echo RSS ► https://1.envato.market/echo
    Crawlomatic ► https://1.envato.market/crawlomatic
    Youtubomatic ► https://1.envato.market/youtubomatic
    F-omatic ► https://1.envato.market/fbomatic

    🤔 ABOUT THIS VIDEO 👇
    Based on popular requests, I just updated 5 of the plugins I created (listed above) and added rule description (and title) settings to them.

    This will make rule management much easier in these plugin, you will be able to set titles or descriptions for rules, knowing which rule serves which purpose.

    If you have more suggestions, let me know by email: support@coderevolution.ro

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #PLUGINUPDATES #WPPLUGINS #WORDPRESSPLUGIN

    🔥 Envato Elements 9 USD Coupon 🙀 Valid in MAY 2022 ⏰ (Update in description)

    UPDATE: the 9 USD coupon expired, however, there is a new Elements coupon offer, which grants you 7 days free trial: https://www.youtube.com/watch?v=waBhPYAcW3c

    🤔 ABOUT THIS VIDEO 👇
    Great news today, because I am able to share with you guys a brand new Envato Elements Coupon which will discount your first month subscription to Envato Elements to 9 USD.

    Go ahead and click the link from above and you will instantly benefit of the 9 USD subscription for Envato Elements.

    Envato Elements Coupon 9$ a month for the first month!

    The coupon starts its validity in February 2022, will be valid for around 2 months and might even get extended more.

    So, if your account expires, go ahead and create a new one, using the same link and coupon code, to benefit of the same deal!

    During your Envato Elements subscription you will benefit of unlimited downloads for a large pool of high quality digital assets which will be very useful in your projects. Enjoy millions of creative assets with the unlimited creative subscription. From graphic, web and video templates, audio, WordPress plugins, themes and much more! Go ahead and check it now using the link from above!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ELEMENTSCOUPON #1USDELEMENTS #ENVATOELEMENTS #ELEMENTS9USD

    Ultimate Anime Scraper plugin updated: use Amazon S3 Cloud Storage for Scraped Anime Episodes

    The Ultimate Anime Scraper plugin was updated, now it can also use Amazon S3 cloud storage for the scraped anime episodes. For more info, watch this video!
    Get the Ultimate Anime Scraper plugin ► https://1.envato.market/ultimate-anime-scraper

    🤔 ABOUT THIS VIDEO 👇
    The Ultimate Anime Scraper plugin is a module that provides an easy way to scrape multiple anime websites for anime episodes and also for anime information, including genres and a brief summary.
    Bulk download your favorite anime episodes from your favorite anime websites.

    Now you can also use your Amazon S3 cloud storage buckets to store the anime episodes (no need to use your own server’s storage space for this).

    Check the above video for details on how to set up the plugin to use the Amazon S3 cloud storage feature!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ANIMESCRAPER #SCRAPEANIME #SCRAPEANIMEEPISODES #ANIMECRAWLER

    🔥 The Best Envato PlaceIt Coupon ONLY 1.97$ per Month 💵

    Get a 1.97$/Month subscription to Envato PlaceIt by following the steps shown in this video! Working and valid in 2022!

    Install and activate SetupVPN (Free) ► https://chrome.google.com/webstore/detail/setupvpn-lifetime-free-vp/oofgbpoabipfcfjapgnbbjjaenockbdp/related

    Subscribe to Envato PlaceIt using this link ► https://1.envato.market/PlaceItDeal

    🤔 ABOUT THIS VIDEO 👇
    Get unlimited downloads on all Envato PlaceIt’s 89K templates! You can make a logo, video, mockup, flyer, business card and social media image in seconds right from your Envato PlaceIt account.

    Today’s biggest Placeit.net Discount Code is shown in this video. Go ahead guys and follow the steps I show in the above video and benefit of this huge deal which will discount your Envato PlaceIt subscription by a lot!

    Utilize the given Placeit discount code to purchase unlimited access to all templates for just $1.97 per month. Hurry Up! Grab it before the coupon expires!

    PlaceIt Coupon. $23.69 per year. Get Annual Plan for $23.69, which translates to only $1.97/month for the entire year, for your Envato PlaceIt subscription! Benefit of the Placeit Coupon Code 2021 shown in this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #PLACEIT #ENVATOPLACEIT #COUPONPLACEIT #PLACEITCOUPON

    🔥 Envato Elements 1 USD Coupon 🙀 Valid starting from February 2022, grab it now! ⏰

    Grab this limited time deal of Envato Elements 1 USD Coupon valid in 2022! Click the link below and the coupon will be automatically applied for you!

    Envato Elements 1 USD Coupon 2022 ► https://1.envato.market/1USD-COUPON-2022

    🤔 ABOUT THIS VIDEO 👇
    Great news today, because I am able to share with you guys a brand new Envato Elements Coupon which will discount your first month subscription to Envato Elements to 1 USD.

    Go ahead and click the link from above and you will instantly benefit of the 1 USD subscription for Envato Elements.

    Envato Elements Coupon 1$ a month for the first month! Don’t miss it (you will benefit of a 32$ discount).

    The coupon starts its validity in February 2022, will be valid for around 2 months and might even get extended more.

    So, if your account expires, go ahead and create a new one, using the same link and coupon code, to benefit of the same deal!

    During yor Envato Elements subscription you will benefit of unlimited downloads for a large pool of high quality digital assets which will be very useful in your projects. Enjoy millions of creative assets with the unlimited creative subscription. From graphic, web and video templates, audio, WordPress plugins, themes and much more! Go ahead and check it now using the link from above!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ELEMENTSCOUPON #1USDELEMENTS #ENVATOELEMENTS #ELEMENTS1USD

    ⏰ Hurry Up! Echo RSS and Youtubomatic Plugins discounted 50% for a Limited Time Only!

    The Echo RSS and Youtubomatic plugins are now discounted, for a limited time only! Grab the 50% discount for them and benefit of this limited time offer!
    Check the Echo RSS plugin ► https://1.envato.market/echo
    Check the Youtubomatic plugin ► https://1.envato.market/youtubomatic

    🤔 ABOUT THIS VIDEO 👇
    Looking to purchase a premium WordPress plugin for your website? As a CodeRevolution TV viewer, you get exclusive discounts on all the most popular WordPress plugins I created! You can benefit of a great discount for two of the autoblogging WordPress plugins I created.

    This time, the discounts are for the Echo RSS plugin (which can import posts from RSS feeds to your site) and for the Youtubomatic plugin (which can automatically post WordPress posts with embedded YouTube videos in their content)!

    Go ahead and benefit of these exclusive offer right now, because they will expire soon (5th of February for Echo RSS and 7th of February for Youtubomatic).

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #WORDPRESSPLUGINS #WORDPRESSDISCOUNT #WPDISCOUNTS

    WordPress 5.9 update – News about this new update and news regarding my plugins

    WordPress 5.9 is the latest version of WordPress, which brings many performance and block editor improvements. The good news is that all my plugins are updated and fully compatible with this new WordPress version!
    Check my WordPress Plugins ► https://1.envato.market/coderevolutionplugins
    WordPress 5.9 Update Log ► https://make.wordpress.org/core/2022/01/10/wordpress-5-9-field-guide/

    🤔 ABOUT THIS VIDEO 👇
    WordPress 5.9 is out now! It is a major update, so the question is: It is OK to update? Regarding my plugins, I have some good news, all are updated and working with the WordPress 5.9 update, so you can go ahead and update WordPress to this new version, things will continue to work as usual.

    However, if your website has also other plugins installed, developed by other developers, which might not be updated and functional on this new WordPress version, I recommend you do a complete site backup before updating to this new WordPress version, just to be sure you are safe. You can use Updraft Plus for this, it is free and will provide the backup functionality you need: https://wordpress.org/plugins/updraftplus/

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WORDPRESS5.9 #WORDPRESS #WORDPRESSUPDATE #WORDPRESS59

    This Is My 1000th Video Uploaded to YouTube! [In 5 Years]

    This is my 1000th video uploaded to this channel! I uploaded all these videos in 5 years. Thank you for being part of this awesome journey!

    🤔 ABOUT THIS VIDEO 👇
    This is the 1000th public video on my YouTube channel! I go through some of my highs and lows of my time on YouTube!
    If you liked this video, please be sure to hit the like button and let me know in the comments why you liked it! If you really love my content, please consider subscribing!
    In this video I review my channel and my journey with it in the past 5 years. Come join me in celebrating my progress and accomplishments throughout the years. Thanks to all our viewers and subscribers for a fantastic and fulfilling 5 years with CodeRevolution TV. I hope to celebrate 2025 with over 2000 videos!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #1000THVIDEO #1000VIDEOS #1000YOUTUBEVIDEOS #YOUTUBE1000VIDEOS

    HeadlessBrowserAPI New Affiliate Program – earn recurring commissions on the sales you generate!

    The HeadlessBroswerAPI got a new feature today, it has a new affiliate program enabled, now you can start earning recurring passive income (on each subscription renewal of customers you refer).
    Check details about the affiliate program ► https://headlessbrowserapi.com/affiliate-program/
    Check HeadlessBrowserAPI ► https://headlessbrowserapi.com

    🤔 ABOUT THIS VIDEO 👇
    HeadlessBrowserAPI uses cloud headless browser instances to scrape JavaScript generated, dynamic content from any website.

    As a HeadlessBrowserAPI affiliate, you can help your audience scrape websites more precisely (maybe using the Crawlomatic plugin, where this API is also integrated), while earning 30% lifetime recurring commissions for every customer you refer. After 100 successful referrals you will automatically advance to the Premium Affiliate rank, earning 50% lifetime recurring commissions for every customer you refer.

    How Our Affiliate Program Works:
    1. Get Your Affiliate Link
    You will automatically get your affiliate link when you create your account. Then all you have to do is share it with your audience and you will start making commissions automatically!

    2. Promote
    We make promoting HeadlessBrowserAPI easy by providing you with:
    Ready-to-use PPC ads, banners, and more
    High converting email swipes
    A dashboard to track your progress

    3. Start Earning!
    We pay 30% lifetime recurring commissions. That means for each subscription payment a customer you refer makes, whether it is their first or 100th, you will get a commission!

    Even more, if you pass your 100th referred client, you advance to the Premium Affiliate Rank, earning 50% recurring commissions for each referred subscription’s entire period.

    Sign Up For A Free Affiliate Account
    Get your unique affiliate link, marketing materials, and start earning:
    https://headlessbrowserapi.com/become-an-affiliate/

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #HEADLESSBROWSERAPI #AFFILIATEPROGRAM #PASSIVEINCOME #SCRAPERAPI

    Let me know what you think of this plugin idea: News Aggregator Site Creator Plugin for WordPress

    The next plugin idea I got recently is described in the video. Please watch it and let me you your ideas on this in the comments section! Thank you!
    The plugin mentioned in the video is ready! Check the Ultimate News Aggregator ► https://1.envato.market/UltimateNewsAggregator

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSAGGREGATORPLUGIN #AUTOBLOGGING #NEWSAGGREGATORSITE #NEWSAGGREGATOR

    🔥 Ultimate Web Novel & Manga Scraper – 50% January Discount 🔥

    These Ultimate Web Novel & Manga Scraper plugin is 50% off until 24th of January 2022, go ahead and grab it while the offer last!
    Get the Ultimate Web Novel & Manga Scraper plugin ► https://1.envato.market/ultimate-manga-scraper

    🤔 ABOUT THIS VIDEO 👇
    If you want to create your own manga site or even your own web novel site, the Ultimate Web Novel & Manga Scraper plugin is the right choice for you. It will scrape manga and web novels based on search queries you enter in plugin settings. The manga images will be copied to your own server’s storage or will be able to be stored in your cloud storage.

    For more details, watch this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #MANGASCRAPER #NOVELSCRAPER #WEBNOVELSCRAPER #SCRAPEMANGA

    Tutorial: How I Remove my Camera’s Background and What Desktop Recording Software I Use?

    These tips will help you to learn about how I remove my camera’s background and what desktop recording software I use? If you want to know details, watch this video!
    Logi Capture (Desktop Recording Software) ► https://www.logitech.com/en-us/software/capture.html

    XSplit VCam (Video Background Remover Virtual Camera) – BONUS: Use the coupon “coderevo” (without the quotes) to get an additional discount for your VCAM! ► https://www.xsplit.com/buy?ref=szabolcsistvankisded1&discount=coderevo&pp=stripe_affiliate

    🤔 ABOUT THIS VIDEO 👇
    Nearly all laptop and desktop models come with an in-built webcam. This is why no one ever thinks about purchasing an additional webcam. But while these in-built cameras can be ideal when creating simple or basic videos, you may be in need of a more comprehensive solution. There are a lot of third-party cameras to choose from, but Logitech StreamCam is the only one to choose when looking for a camera that provides crisp, smooth video and uninterrupted live streaming.
    With Logitech, you can easily record videos up to 1080p at 60 frames per second in portrait, landscape and even square orientations. It supports screen and tripod stands and even comes with a complete software package so that you can easily tweak the recording to your desired taste.

    Regarding Video Background removal, I use a Virtual Camera from XSplit. XSplit VCam makes cutting edge background removal and blurring possible with any webcam, without the need for expensive green screens, and complicated lighting setups.
    Adding a green screen to your PC setup is time consuming and costly, not to mention difficult to move. XSplit VCam offers cutting edge background replacement without the need for complex setups, and tons of space – no matter where you are.
    Add a high quality blur effect to your webcam without the need for extra hardware. Give your webcam a DSLR or Portrait Mode style effect with an adjustable blur slider. Hide your messy room, maintain privacy and improve the production value of your broadcast.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SCREENRECORDER #NOGREENSCREEN #VIRTUALCAMERA #RECORDINGSOFTWARE

    Twitomatic news: Twitter API new requirement – Submit Form to Get Access to Twitter API v1.1

    If you are new to the Twitter API and you are setting up your first API app, you will need to know that the Twitter API added a new requirement for it to function, you will have to fill out a form to make the API work!
    Submit this form to get v1.1 access (click the ‘Apply for elevated’ button) ► https://developer.twitter.com/en/portal/products/elevated
    Submit this form to get Ads API access (optional) ► https://developer.twitter.com/en/docs/twitter-ads-api/apply
    Check the Twitomatic plugin ► https://1.envato.market/twitomatic

    🤔 ABOUT THIS VIDEO 👇
    Because of some recent Twitter API changes, you will need to submit the above form to make the Twitter API work for you and as a result, also the Twitomatic plugin. Check the video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TWITTERAPI #TWITTER #TWEETAPI #TWITTERAPI1.1

    Crawlomatic new feature: scrape downloadable files from sites and copy them locally to your server!

    A new update was released for the Crawlomatic plugin, now it is able to scrape also files from crawled websites and to copy the files locally to your server!
    Check Crawlomatic here ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Web Scraping is an automatic way to retrieve unstructured data from a website and store them in a structured format. For example, if you want to analyze what kind of face mask can sell better in Singapore, you may want to scrape all the face mask information on an E-Commerce website which uses WooCommerce, for example.

    The new update for the Crawlomatic plugin will make the scraping process much easier, it will allow you to also scrape files from the websites you are crawling and scraping. The files will be copied locally to your server’s storage.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #FILESCRAPER #SCRAPEFILES #FILESCRAPING #SCRAPER

    URL to RSS tutorial: How to scrape any URL and create a custom RSS feed from it + visual selector

    These tips will help you configure the URL to RSS plugin to generate RSS feeds for any website. For details, watch this video!
    Check the URL to RSS plugin ► https://1.envato.market/customcuratedrss

    🤔 ABOUT THIS VIDEO 👇
    Check this video for details on how to configure the URL to RSS plugin for multiple websites and how to create RSS feeds for them. This will help you set up the plugin and create custom RSS feeds for any website.
    Check the above video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #RSSFEED #RSSFORANYSITE #URLTORSS #CUSTOMRSSFEED

    🆕🔥 Happy New Year 2022! 🔥🆕

    HAPPY NEW YEAR 2022!

    🤔 ABOUT THIS VIDEO 👇
    Happy New Year 2022! Lets all hope that we will have a better 2022 and we all will have a pleasant and joyful year!

    The New Year is a time to start a new journey and make new commitments. Thus, Christmas and New Year is the celebration of happiness, cakes, sweets, passion, lots of music.

    I wish you all a HAPPY NEW YEAR and I hope I will be able to keep creating new content which you guys will enjoy also in 2022!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #HAPPYNEWYEAR #HAPPYNEWYEAR2022 #2022 #NEWYEAR

    Ultimate Anime Scraper Plugin for WordPress

    Start a new anime website with some easy setup steps, check this video for details!
    Check the plugin here ► https://1.envato.market/ultimate-anime-scraper

    🤔 ABOUT THIS VIDEO 👇
    This plugin will allow you to crawl and scrape data and import anime episodes and data to your website. It supports both Auto importing, by a schedule (all anime) and Manual mode scraping. You can also use it with your Proxies and check various options to improve manga scraping.

    The plugin for which you were waiting for, for a long time now, is here: build an anime site in minutes without manual and boring work of uploading video files to your server. This plugin will help you to import anime episodes very easily. Check some features of this plugin:

    – Works with the Madara theme
    – Scrape anime by keyword search
    – Schedule scraping runs or run them manually
    – Proxy settings and headless browser support to bypass any anti-scraping and crawling protection
    – Upload scraped anime episode files to your server
    – Just an easy setup and leave it running

    Give it a try now, check the link from the top of the description.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ANIMESCRAPER #WPANIME #ANIME #SCRAPEANIME

    What is the difference between Echo RSS Post Generator and Mastermind Multisite RSS Post Generator?

    Because this is a popular question I keep getting from your guys, let me explain what is the difference between the Echo RSS Post Generator plugin and the Mastermind Multisite RSS Post Generator plugin. For details, watch this video!
    Check Echo RSS ► https://1.envato.market/echo
    Check Mastermind Multisite RSS ► https://1.envato.market/mastermind

    Echo RSS Post Generator is the original, most popular and most robust plugin for importing, merging, and displaying RSS feeds and Atom feeds anywhere on your site. Set up your RSS feed sources and let the plugin do the leg-work.

    Mastermind Multisite Post Generator is a similar plugin, but it will post to multiple sites where you have administrator privilege, from different RSS feeds.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #RSSPLUGIN #RSSIMPORTER #RSSFEED #WPRSSIMPORTER

    Ultimate Web Novel and Manga Scraper new update: scrape novels from vipnovel.com

    The Ultimate Web Novel and Manga Scraper plugin is updated, now it is able to scrape novels from vipnovel.com. For details, watch this video!
    Ultimate Web Novel and Manga Scraper ► https://1.envato.market/ultimate-manga-scraper

    🤔 ABOUT THIS VIDEO 👇
    Ultimate Web Novel and Manga Scraper WordPress Plugin is a powerful tool to generate a manga website or even a web novel website that will automatically publish content (manga or web novel), without your further intervention.
    – This plugin is a great tool to generate a passive income! Do you want to earn money even while you sleep?
    – Do you want to generate manga or web novels to your new website?
    – No problem! Ultimate Web Novel and Manga Scraper plugin is the right thing for you!

    Now it is updated, it is able to scrape also vipnovel.com for new web novels! Check this video for details!

    This updated was added to the plugin based on popular requests from you guys. If you have suggestions for future features of this plugin, let me know in the video’s comments section!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #MANGASCRAPER #NOVELSCRAPER #WEBNOVELSCRAPER #LIGHTNOVELSCRAPER

    Newsomatic plugin update: new feature – Keywords to Categories

    The Newsomatic plugin got updated, based on popular requests, a new feature was added to it: Keywords to Categories. For details, check this video!
    Check Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    The Newsomatic plugin just got updated! Now it is able to add custom categories to posts based on keywords found in the post title or content.

    This feature was added to the plugin based on suggestions from you guys, so, if you have more ideas for this plugin (custom features), let me know in the comments sections of this video and I will consider adding them!

    I hope you will like this latest version of the plugin with the new features listed above!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #NEWSOMATICUPDATE #NEWSOMATICAPI #NEWSBLOG

    Ultimate Manga Scraper plugin updated – rule pagination support added!

    The Ultimate Web Novel and Manga Scraper plugin was updated, now it will handle high number of campaigns and rules much more easily. Check the video for details and click the link from below to get the plugin:
    Ultimate Web Novel and Manga Scraper ► https://1.envato.market/ultimate-manga-scraper

    🤔 ABOUT THIS VIDEO 👇
    If you are using the Ultimate Web Novel and Manga Scraper plugin, you might have found it a bit annoying to handle multiple rules and importing campaigns, which were all displayed on the same page. However, in the latest update of the plugin, this issue is resolved (based on popular requests from you guys) and the plugin will display importing rules and campaigns on different pages, based on a variable you set in settings, on how many campaigns should the plugin display at once.

    I hope this update will help you guys manage the importing campaigns from this plugin!

    Please note that the above plugin requires the Madara WordPress Theme for Manga to function.

    If you have more ideas for future updates for the Ultimate Web Novel and Manga Scraper plugin or any other plugin I created, let me know in the video comments from below!
    You can also check my other plugins, here: https://1.envato.market/coderevolutionplugins

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #MANGASCRAPER #WEBNOVELSCRAPER #SCRAPEMANGA #SCRAPENOVELS

    YouTube Caption Scraper fixed, working again!

    The YouTube Caption Scraper plugin is now updated, working with the latest YouTube changes. If you want to grab this plugin for free, subscribe to my newsletter below:

    Subscribe to my newsletter and get the YouTube Caption Scraper plugin for FREE ► https://mailchi.mp/f6502169415c/coderevolution-newsletter

    🤔 ABOUT THIS VIDEO 👇
    Good news guys, the YouTube Caption Scraper is now updated, working again. It is once again able to scrape captions of videos and to import them to WordPress posts’s content.
    This video will show you how to extract YouTube subtitles and closed captions using a WordPress plugin which will be available for free, if you subscribe to my newsletter, using the link from above.
    Getting the naturally spoken content from a YouTube video and placing it in your posts is extremely beneficial for Search Engine Optimization, or SEO. This is because the textual content of YouTube videos is not indexed by Google and they will be seen as unique and high quality content.
    Check this video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBECAPTIONSCRAPER #CAPRIONSCRAPER #SUBTITLESCRAPER #VIDEOSUBTITLESCRAPER

    NewsomaticAPI is now listed on RapidAPI! Get extended API plans with ease!

    Great news! NewsoamticAPI was just listed on RapidAPI. Check the links below for details:
    Check NewsomaticAPI on RapidAPI ► https://rapidapi.com/caddytzitzy/api/newsomaticapi
    Check NewsomaticAPI.com ► https://www.newsomaticapi.com/
    Get the Newsomatic plugin ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    If you want to use the NewsomaticAPI service on its full potential, you will need more API calls than the default 500 API calls/day limit, which you get when you are using the NewsomaticAPI API key you get after a purchase of the Newsomatic plugin. In this case, I have some good news for you! I created some custom plans for NewsomaticAPI and listed it on RapidAPI: https://rapidapi.com/caddytzitzy/api/newsomaticapi
    Here you will find multiple extended plans for NewsomaticAPI, which will be able to grant extended API call count for you, helped by the dynamic API framework of RapidAPI.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATICAPI #NEWSOMATIC #RAPIDAPI #NEWSAPI

    🔥⏰ Envato Elements Cyber Monday Sale – Get up to 40% OFF for your LIFETIME subscription ⏰🔥

    **UPDATE** The Flas Sale ended, but you can still get a Envato Elements free subscription coupon, if you click this link: https://www.youtube.com/watch?v=waBhPYAcW3c

    Envato Elements Cyber Monday Flash Sale 2021 is bringing in massive discounts on monthly and yearly subscriptions for individuals and students.

    Sign UP HERE ► https://1.envato.market/Sign-Up-Elements
    Students Sign UP HERE ► https://1.envato.market/StudentDiscount
    Teams Sign UP HERE ► https://1.envato.market/TeamDiscountEnvatoElements

    🤔 ABOUT THIS VIDEO 👇
    During the Envato Elements Cyber Monday flash sale 2021, You can get Envato Elements Individual monthly subscription for just $12/month or yearly for just $144 while the student monthly subscription will be available for just $9/month or $108/year.
    Best of all, these prices are locked-in for the lifetime of the subscription.

    Once the Envato Elements Sale 2021 ends, the pricing will go back to its original $33 and $198 for monthly and yearly subscriptions respectively.
    Let me show you details about the Envato Elements Cyber Monday deal, which will last only until December 1st 2021, 1 PM (GMT +11)!
    Check the 2021 Cyber Monday Sale from Envato Elements — Save up to 40% for your LIFETIME subscriptions (not just for the first month!).
    Take your creativity to new dimensions, with unlimited downloads of 56+ million creative assets. From just €10.50/month.
    Benefit of unlimited downloads of 56+ million assets, which will help you in your new projects!

    Do I need a coupon to get the sale price?
    You don’t need a coupon code, sale prices are automatically applied at checkout for all new subscriptions.

    When does the sale end?
    Sale prices are available until Wednesday, December 1, 1:00 PM GMT+11. Your Cyber Monday discount will apply until your subscription is canceled.

    Do any download limits apply?
    No limits apply to downloads! How amazing is that? Envato Elements is an unlimited download subscription, meaning that you are free to download as many items as you like, even with your Cyber Monday sale price! As per our user terms, please remember, no robots allowed. So that means no sharing of accounts or use of automated tools to scrape & download items.

    Can I cancel or upgrade any time?
    You can cancel or upgrade your Envato Elements subscription at any time. We do not refund canceled subscriptions. After your subscription has lapsed you will only be able to use items which have been licensed for Project Use, for the project specified when it was licensed.
    You can upgrade your subscription from a monthly to yearly plan at any time. If this is outside of a sale period, your upgrade will be to a full price plan.

    Does Envato Elements have the same items as Envato Market?
    No. Although Envato Elements and Envato Market stock similar content, some items are exclusive to either platform. So, some items are on both, some are only available on Envato Elements, others are only available on Envato Market.

    If you are looking for a specific item, please be sure that the item is available on Envato Elements before subscribing.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ENVATOELEMENTS #ELEMENTSCYBERMONDAY #CYBERMONDAYELEMENTS #ELEMENTSBLACKFRIDAY

    “I want to contact the marketing team of…” – What are these emails about!?

    Since March 2021, I keep getting these weird emails, all are based on the template – they all want to contact the marketing/management of my company, so they can present their review marketing services to me.
    The weird part is that all these emails have the same template, telling me that they want to contact my marketing team and that they are “a big fan of CodeRevolution”.
    Let me show and example email, below:

    I am a big fan of (insert plugin name here). Please have my thanks for that superb product. I want to contact your management team. Is there a way that someone from your sales team can contact me?

    OR:

    I saw Your All Products. I’ve read out totally and I am a great lover of your (add plugin name here). Please have my biggest thanks to you for these superb products. In what way I want to contact the Marketing team of “CodeRevolution” Is there a Procedure whereby somebody from your sales team can contact me?

    AND MANY MORE, SIMILAR EMAILS!

    Do you know anything about this recent trend of email templates? I ask you guys because these emails keep coming to my inbox, over and over! I am really curious about them!

    🤔 ABOUT THIS VIDEO 👇
    If you want to know the ….. and how you can ….., watch this video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SPAMEMAILS #SPAMEMAIL #SPAMMAIL #SPAM

    YouTube Commenting System is Really BROKEN! Let me show you why! 😠

    The YouTube Commenting System is really BROKEN! I am really frustrated by it! The main reason is that many comments which are legit, are instead marked as spam and not published to my videos at all. This would be ok, if I would have a way to manually recover these comments and mark them as “not spam”. However, this is not currently possible on YouTube!
    All comments marked as spam are automatically banished and never to be recovered again!
    For more details on this really big issue on the current YouTube Commenting System, watch this video!
    If you want to contact me and send me links in your comments, please use this contact form instead of YouTube comments ► https://coderevolution.ro/contact-me/

    Also, here are some more stuff I don’t like about the current commenting system (as a bonus):
    – Comment strings do not branch off into their own threads- they just all continue in a line with no rhyme or reason to it at all. You CANNOT follow a thread when more then 3 people are replying to each other, it is a real mess.
    – If you reply to a comment, YouTube will then notify you EVERY time another person comments in that thread even when they ARENT replying to you and haven’t even mentioned your name.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBECOMMENTS #YOUTUBECOMMENTSBROKEN #YOUTUBEISBROKEN #COMMENTSAREBROKEN

    🎉 Your Cyber Monday Savings Are Here! Envato PlaceIt – 50% OFF!

    For a limited time, save 50% on your annual subscription! That means unlimited mockups, design templates, video templates, and logos for an entire year for less! Check the link from below!
    PlaceIt Cyber Monday 50% OFF ► https://1.envato.market/CyberMonday2021

    🤔 ABOUT THIS VIDEO 👇
    Get creative this Cyber Monday, with 30% off smart templates from logos and flyers, to videos and mockups on Placeit by Envato.
    If you want to subscribe to PlaceIt, now is the time! 50% Off for the Annual Subscription & 10% Off for the Monthly Subscription!
    Now you will have the Lowest prices of the year! Hurry, this offer ends November 30th!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #PLACEIT #PLACEITCOUPON #CYBERMONDAYPLACEIT #PLACEITENVATO

    Ultimate Manga Scraper plugin and the Mega Bundle are now also discounted for the Cyber Week period!

    Mega update for the Cyber Monday Sale! Ultimate Manga Scraper and the Mega Bundle were also added to the Discounted Items list! They both have now a 50% discount, check them below:

    Ultimate Manga Scraper ► https://1.envato.market/ultimate-manga-scraper
    Mega WordPress ‘All-My-Items’ Bundle ► https://1.envato.market/bundle
    Cyber Monday Video Announcement ► https://www.youtube.com/watch?v=6cGiX1NS1C4

    🤔 ABOUT THIS VIDEO 👇
    Based on popular requests (from you guys), I added the Ultimate Manga Scraper and the Mega Bundle to the Cyber Monday / Black Friday sales, now they both are discounted by 50%.
    Check the video for details!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #MEGABUNDLE #BUNDLEDISCOUNT #BUNDLEDISCOUNT #WORDPRESSPLUGINS

    🔥🔴⏰Black Friday & Cyber Monday 2021 – 9 WordPress plugins discounted 50% for a limited period!⏰🔴🔥

    The Cyber Monday Sale is live now, go ahead guys and check the links below for 50% OFF from the items original price! Hurry up, the below deals will end on Wednesday 1st December, 12:59pm (UTC) 2021!
    Check the video for details!
    🔴 Newsomatic ► https://1.envato.market/newsomatic
    🔴 Echo RSS ► https://1.envato.market/echo
    🔴 F-omatic ► https://1.envato.market/fbomatic
    🔴 Crawlomatic ► https://1.envato.market/crawlomatic
    🔴 Youtubomatic ► https://1.envato.market/youtubomatic
    🔴 WordPressomatic ► https://1.envato.market/wordpressomatic
    🔴 Kronos ► https://1.envato.market/kronos
    🔴 URL to RSS ► https://1.envato.market/customcuratedrss
    🔴 WP Setup Wizard ► https://1.envato.market/WPSetupWizard
    🔴 Ultimate Manga Scraper ► https://1.envato.market/ultimate-manga-scraper
    🔴 Mega WordPress ‘All-My-Items’ Bundle ► https://1.envato.market/bundle

    Other items from Envato are also discounted during this period! Check the full list below:
    ❗ WordPress Plugins 50% OFF ► https://1.envato.market/CyberMondayPlugins2021
    ❗ WordPress Themes 50% OFF ► https://1.envato.market/EnvatoThemePromotions
    ❗ Video Files 50% OFF ► https://1.envato.market/CyberMondayVideos2021
    ❗ Audio Files 50% OFF ► https://1.envato.market/CyberMonday2021Audio
    ❗ Graphics Files 50% OFF ► https://1.envato.market/CyberMondayGraphics2021

    Get ready to claim the Latest Black Friday Deals on Envato Market Cyber Monday November 2021. We’ve got massive discounts on this Black Friday, And we have all the updated Deals on Envato Market Cyber Monday, so make sure to bookmark this page to get the latest discount & Deals on this Envato Market Cyber Monday 2021
    Amazing offers with Envato Market Cyber Monday Sale 2021.

    The time for huge savings on your digital resources is here with the Envato Market Cyber Monday deal 2021.

    Envato Market will be having a huge sale on Black Friday and Cyber Monday as part of the Envato Market Black Friday sale

    Envato Market has a unique range of resources for your website. With the Envato Market Black Friday deals, you’ll be able to get amazing discounts on themes and web templates for your next website!

    The deals will extend to Cyber Monday as well, so keep an eye out for the Envato Market Cyber Monday deals too.

    Envato Market is a marketplace of all types of digital resources by the company Envato. Popular sites like ThemeForest, CodeCanyon, AudioJungle, VideoHive, PhotoDune, and 3DOcean are all part of Envato Market.

    That means by these Envato Market Black Friday & Cyber Monday deals, you will get:

    – ThemeForest Cyber Monday deals
    – CodeCanyon Cyber Monday deals
    – AudioJungle Cyber Monday deals
    – VideoHive Cyber Monday deals
    – PhotoDune Cyber Monday deals
    – 3DOcean Cyber Monday deals

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    📚 RECOMMENDED RESOURCES 👇
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CYBERMONDAY2021 #CYBERWEEK #BLACKFRIDAY #CYBERMONDAY

    WP Setup Wizard – purchase code activation removed! Get it on Envato Elements!

    The WP Setup Wizard plugin was updated, activation code was removed, you will be able to get it on Envato Elements with full feature set now. For details, watch this video!
    WP Setup Wizard on Envato Elements ► https://elements.envato.com/wp-setup-wizard-4NJH72R
    Get a coupon for Elements ► https://www.youtube.com/watch?v=waBhPYAcW3c />
    🤔 ABOUT THIS VIDEO 👇
    Based on popular request, the WP Setup Wizard plugin was updated and its activation was removed, so you will be able to use it with its full functionality if you get it on Envato Elements. Go ahead and check it here:
    https://elements.envato.com/wp-setup-wizard-4NJH72R

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WPSETUPWIZARD #ENVATOELEMENTS #ELEMENTSPLUGIN #ELEMENTSCOUPON

    Ultimate Web Novel and Manga Scraper plugin updated – import light novels from a new source

    The ‘Ultimate Web Novel and Manga Scraper’ plugin was updated, now it is able to scrape light novels from a new website. For details, watch this video!
    Check Ultimate Web Novel and Manga Scraper ► https://1.envato.market/ultimate-manga-scraper

    🤔 ABOUT THIS VIDEO 👇
    The Ultimate Web Novel and Manga Scraper plugin was updated, now it is able to scrape web novels from a new website: BoxNovel.com
    Also, scraping content from wuxiaworld.site is working only if you install puppeteer on your server (or use HeadlessBrowserAPI to get around the CloudFlare protection of this site).
    Check this video for details.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #MANGASCRAPER #LIGHTNOVELSCRAPER #WEBNOVELSCRAPER #NOVELSCRAPER

    🔥 Crawlomatic plugin and WPML Multilingual Plugin Compatibility 🔥

    The Crawlomatic plugin and the WPML Multilingual Plugin are now fully compatible, watch this video for details!
    Crawlomatic ► https://1.envato.market/crawlomatic
    WPML ► https://wpml.org/?aid=238195&affiliate_key=ix3LsFyq0xKz />
    🤔 ABOUT THIS VIDEO 👇
    I updated the Crawlomatic plugin to be fully WPML compatible, and I am grateful to the WPML team, because they tested this compatibility and they confirmed that the Crawlomatic plugin is fully compatible with WPML. WPML is proud to partner with plugin authors that are committed to compatibility. Together, we can make sure that you can build rich multilingual sites that work today and will continue working in the future.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WPML #MULTILINGUALSITE #WPMULTILINGUAL #MULTILINGUALWORDPRESS

    🔥 Newsomatic plugin and WPML Multilingual Plugin Compatibility 🔥

    The Newsomatic plugin and the WPML Multilingual Plugin are now fully compatible, watch this video for details!
    Newsomatic Plugin ► https://1.envato.market/newsomatic
    WPML ► https://wpml.org/?aid=238195&affiliate_key=ix3LsFyq0xKz

    🤔 ABOUT THIS VIDEO 👇
    I updated the Newsomatic plugin to be fully WPML compatible, and I am grateful to the WPML team, because they tested this compatibility and they confirmed that the Newsomatic plugin is fully compatible with WPML. WPML is proud to partner with plugin authors that are committed to compatibility. Together, we can make sure that you can build rich multilingual sites that work today and will continue working in the future.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WPML #MULTILINGUALSITE #WPMULTILINGUAL #MULTILINGUALWORDPRESS

    Arabic Manga Scraper Plugin for the Madara Theme on WordPress

    Let me show you a new Arabic Manga scraper plugin I created, working on the Madara Theme for WordPress!
    Arabic Manga Scraper Plugin ► https://coderevolution.ro/product/arabic-manga-scraper-mangastarz-com-crawler/
    Madara Theme ► https://mangabooth.com/product/wp-manga-theme-madara/

    🤔 ABOUT THIS VIDEO 👇
    If you want to scrape Arabic Manga for the Madara Theme on WordPress, this is the plugin you will need.
    Arabic Manga Scraper – mangastarz.com Crawler will automatically create autopilot Arabic manga websites, using its powerful novel crawler engine, with just some easy setup steps. It can turn your new manga website into a autoblogging or even a money making machine! This Arabic manga scraper plugin is able to create automatic novel postings for your website, in the Arabic language.
    Using this plugin, you can easily scrape:

    – a large list of manga, with full chapters (from mangastarz.com)
    If you run it manually: the plugin needs just one click and leave it running. If you run it by a schedule, sit back and forget about it, because you will not need to do anything more, just watch your manga website’s traffic grow.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ARABICMANGA #ARABICMANGASCRAPER #MANGASCRAPER #SCRAPEMANGA

    🔥 Echo RSS Feed Post Generator plugin and WPML Multilingual Plugin Compatibility 🔥

    The Echo RSS Feed Post Generator plugin and the WPML Multilingual Plugin are now fully compatible, watch this video for details!
    Echo RSS Plugin ► https://1.envato.market/echo
    WPML ► https://wpml.org/?aid=238195&affiliate_key=ix3LsFyq0xKz

    🤔 ABOUT THIS VIDEO 👇
    I updated the Echo RSS plugin to be fully WPML compatible, and I am grateful to the WPML team, because they tested this compatibility and they confirmed that the Echo RSS plugin is fully compatible with WPML. WPML is proud to partner with plugin authors that are committed to compatibility. Together, we can make sure that you can build rich multilingual sites that work today and will continue working in the future.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WPML #MULTILINGUALSITE #WPMULTILINGUAL #MULTILINGUALWORDPRESS

    Scrape Products from Any Shopify Store to Your Own WooCommerce Store on WordPress

    Let me show you how to scrape Shopify stores and import them to your WooCommerce store on WordPress, using the Crawlomatic plugin!
    Crawlomatic Scraper ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Scrape supplier Shopify website and upload products to your WooCommerce store automatically!
    Are you looking for a solution to scrape products from any Shopify store or even other ecommerce websites and publish products to your WooComerce store on WordPress?
    Check the above video, I will go through step by step explanations on how to scrape the products from Shopify stores and post them to WooCommerce.

    You can scrape any product detail, including:
    – Title
    – Description
    – Pricing
    – Images

    Note that any feature of the product which is listed on its sales page, can be added to the scrapper and published to WooCommerce.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SCRAPESHOPIFY #SHOPIFYTOWOOCOMMERCE #PRODUCTSCRAPING #WOOCOMMERCESCRAPING

    Ultimate Manga Scraper plugin updated! Automatic Translation + Keyword Search for Web Novels

    The Ultimate Web Novel and Manga Scraper plugin was updated, now it can automatically translate imported web novels to any language, using Google Translate! Also, it is able to make keyword searches for web novels!
    Ultimate Web Novel and Manga Scraper ► https://1.envato.market/ultimate-manga-scraper

    🤔 ABOUT THIS VIDEO 👇
    The “Ultimate Web Novel and Manga Scraper” plugin was updated, focusing on web novels this time. A key feature was added to it, now you can search web novels by keywords (until now, searching was possible only if you entered exact webnovel URLs to scrape).
    Also, a brand new feature enables you to translate the webnovels to any language, using Google Translate, Microsoft Bing Translate or DeepL Translator.
    Give the plugin a try, using the link from above!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #LIGHTNOVELSCRAPER #MANGASCRAPER #WEBNOVELSCRAPER #SCRAPEMANGA

    How to monetize an autoblog?

    Some of the most successful auto blogs are actually selling ClickBank products, as affiliates.
    You can do a static main page and use that is a landing/sales page for a ClickBank product. Then run the auto blog to make posts which would interest a potential buyer – something like iPhone news for an iPhone torrent/download product, I then make ads that show on all of the posts the sell this main static page.
    This way the auto blog posts coming in will naturally rank for a wide variety of keywords depending on what the post is about so you can get all kinds of peoples to your sales page. It also allows you to promote your main blog domain and it provides fresh content which helps in rankings for that.
    At $30-$40 a sale, you can make generous profits from it.
    Besides the above method, AdSense will also work, you can also give it a try. But in this case, content must be spun using a premium word spinner, like SpinRewriter, WordAI or The Best Spinner.

    DETAILS ON METHODS OF BLOG MONETIZATION

    Following are the most effective and commonly chosen Blog monetization methods.

    1. AdSense

    The reason for mentioning AdSense first is it is undoubtedly the best known advertisers on the internet as well as a good source of income for any website or blog. The way that this method works is that you put some AdSense adverts up on your site and every time any user clicks that ad you earn money.  Following are some tips about which ads to choose –

    • All you need to choose is right ads for your audience. Choose ads that are relevant to your content. For example, if you sell auto parts, advertising for used car dealers would be a good fit.
    • Choosing right place to show your ad is also one of the most essential aspects.
    • Mobile is built into AdSense. Responsive ad units automatically adapt to different screen sizes so you can create a great user experience and continue to earn revenue when people view your site on a smartphone or tablet.
    1. Affiliate Marketing

    It is a subtle way of advertising a chosen product and earning money from any sales you facilitate. You just have to work with an outside partner usually an E-Commerce platform or another online business and select a product that you will be promoting on your blog. Then you will be given a product page, which you can choose. When someone buys that product through your link, you’ll earn a percentage of each sale.

    One of the easiest ways of getting started is to use AMAZON’S AFFILIATE MARKETING PROGRAM, which is not only one of the biggest, but one of the simplest platforms to work with. It is one of the cheapest blog monetizing methods available.

    1. Blog Sponsor

    Once you feel your blog has started generating traffic then you can start to think about offering advertising space on your blog to private advertisers. This way will be able to generate stable form of income. Before you were trying to earn money, now the money will come to you. Once your website has enough traffic people will come to you for advertising space.

    1. Writing Paid reviews

    This is another method of blog monetization. It involves charging people to write a review for one of their own products. To write good reviews you must use the products yourself.

    1. Course and /or Services

    If you are already teaching your visitors through your blog, why not create an exclusive learning opportunity by building paid online course? You can setup an 8-week course through automated email messages or releasing the full package all at once so students can work at their own ways.

    Just like course you can also offer services. Many bloggers are also freelance writers; you can offer your services through your blog.

    SOME GENERAL AUTOBLOGGING TIPS

    1. Don’t overdo it! Don’t try to create a huge autoblog about every possible topic with thousands of posts added to it. Instead build small and targeted Autoblog around 400-1000 words each.
    2. Adding unique content into your autoblog can help you building rank in the eyes of Google. Instead of writing stories why not add a keyword-rich introductory paragraph to your template. Also don’t forget to be creative.
    3. Mix as much different content as you can. Aggregating content from different sources about one topic makes you look creative and adds values to your blog.
    4. Least thing you can do is to promote your auto blogs. What people do is they make Auto blogs and leave it to fate. Chances of miracle are very less. You need to promote them. You should share them with your friends, relatives, neighbors and also tell them to promote. Just remember more the traffic, more will be the income.
    5. One more important thing don’t just copy the whole content from website it can cause copyright issues.

    💸💰🤑 $100 PER VIDEO – Earn $$$ for each video uploaded to YouTube promoting TubeBuddy!

    Check TubeBuddy’s End of Year Cold Hard Cash Offer! Earn 100$ per video uploaded to YouTube, where you promote TubeBuddy!
    Sign Up as a TubeBuddy Affiliate ► https://www.tubebuddy.com/affiliateprogram
    Send the URL of the YouTube video you created to ► hello@email.tubebuddy.com (details below or in the above video)

    🤔 ABOUT THIS VIDEO 👇
    Let me share with you an opportunity to earn some easy cash.
    It seems that TubeBuddy started an interesting affiliate campaign, they are rewarding each YouTube video which promotes their product with 100$ hard cash.
    All you need to do to is create a 5 minute or longer YouTube video and talk about TubeBuddy (they also have a free version, so you don’t need to spend anything on it). You can record your screen and speak about it, or something similar. There are some free screen recorders available, like Bandicam.
    Here are their exact requirements:
    – Video must be uploaded to YouTube
    – Video must be a minimum of 5 minutes long
    – Video must be dedicated to TubeBuddy
    – There will be NO limit to the number of videos a creator can produce as long as each video meets the requirements above.
    – The offer is valid from October 15th until December 31st 2021

    Also, don’t forget to sign up to TubeBuddy affiliate program, here: https://www.tubebuddy.com/affiliateprogram
    You should also add your affiliate link in uploaded video descriptions, in case your videos gain traction and clicks.
    After you uploaded the video publicly to YouTube, all you have to do is send them an email with the link(s) of the video(s) uploaded and they claim that they will pay you 100$ / video. The email address for this is: hello@email.tubebuddy.com – send it from the email address you used to sign up as an affiliate and mention also your TubeBuddy user name, just to be sure.
    I am also going to make some videos, lets see how much they can pay! Is this really an easy cash method? Lets find out together. 🙂
    Here are some video idea examples for you:
    – TubeBuddy For Beginners
    – Tips and Tricks
    – Content on specific TubeBuddy capabilities
    – Free Web Extension vs. Paid Subscription Services
    – Variations Between Paid Tiers

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TUBEBUDDY #TUBEBUDDYAFFILIATE #EASYCASH #QUICKCASH

    Facebook attorney just sent me a trademark infringement claim for 4 of my plugins!

    I just received an email from a Facebook representative attorney claiming that 4 of my plugins are infringing Facebook trademarks!
    Check the affected plugins below:
    FBomatic ► https://1.envato.market/fbomatic
    FaceLive ► https://1.envato.market/facelive
    Instamatic ► https://1.envato.market/instamatic
    Instagram User Importer ► https://1.envato.market/instamatic
    Trademarks Owned by Facebook ► https://www.facebook.com/brand/resources/facebookcompany/our-trademarks

    🤔 ABOUT THIS VIDEO 👇
    Ok, so I just got contacted by an attorney representing Facebook who told me about the above plugins containing words and images which are trademarks of Facebook INC. I am now in the process of renaming these plugins, will be thinking on a new name for them, that is not infringing Facebook trademarks. Interestingly, Facebook has trademarks on very common words also, like Face or Book. This sounds a bit silly, that anyone who creates products or companies with any of the words Face or Book in them, can get sued by Facebook, claiming that they infringed their trademarks.
    Anyway, I am aware that trademarks are in a gray zone when it comes to legal stuff, so if you guys have ideas on how can I rename the above plugins, feel free to let me know.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #FACEBOOKTRADEMARK #INSTAGRAMTRADEMARK #TRADEMARKINFRINGEMENT #TRADEMARKLETTER

    How to automatically add content to Gutenberg blocks using my autoblogging plugins

    These tips will help you to automatically create Gutenberg blocks using my plugins. If you want to know more about Gutenberg, watch this video!
    CodeRevolution’s Plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    A question popped up recently from one of my customers: how to automatically add content generated by my plugins into Gutenberg blocks?
    Let me answer this question in today’s video.
    The process is really simple. You just need to tell the plugin that you want to create a Gutenberg block, by adding the block beginning and block ending markup in the ‘Generated Post Content’ settings field, from importing rule settings in the plugin.
    Check details in the above video!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #AUTOBLOGGING #GUTENBERGBLOCKS #GUTENBERGEDITOR #GUTENBERGBLOCK

    🎁 Envato Elements 1 USD coupon 🙀 Limited time offer❗ Almost FREE coupon code for Envato Elements! ⏰

    Envato Elements Coupon Update:
    ***Update – Black FRIDAY – 1 USD COUPON: https://www.youtube.com/watch?v=zW6elwesjA8

    The 1 USD offer expired, but I can offer a 9 USD coupon, if you click on the video link from above!

    🤔 ABOUT THIS VIDEO 👇
    Envato Elements only offers one individual subscription plan from which you can choose to subscribe on a monthly or yearly basis. Its price is usually fixed, however, my friends from Envato shared with me a coupon code which will grant you FULL access to Envato Elements for only 1 USD for the first month. This is almost a free account for Envato Elements subscription. Give it a try now!
    This is a unique opportunity to join Envato Elements, to kick start your next project and also start earning money!

    I want to help you make beautiful things by giving you your first month for just $1!

    Get unlimited downloads of millions of ready-to-use assets! Find everything you’ll need for your next project in one place, including video templates, audio, print templates, fonts, photos and much more.

    Envato Elements is a freelance designer or multimedia creator’s subscription founded in August 2016. New features and resources are constantly added to the Envato Elements library. Let’s look at some of the main features included with this subscription.
    You will get unlimited downloads for a single subscription fee!

    You can cancel at anytime without penalty.
    That’s right, get your unlimited downloads of 2,378,369 Premium Creative Assets.
    To activate this offer, just click this link and the coupon will be activated:
    https://1.envato.market/1USD

    P.S. Not sure you can commit? No worries. You can cancel at any time.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ENVATOELEMENTS #ELEMENTSCOUPON #ELEMENTSFREE #ENVATOELEMENTSFREE

    Ultimate Web Novel And Manga Scraper Plugin for WordPress

    Start a new web novel or a manga website with some easy setup steps, check this video for details!
    Check the plugin here ► https://1.envato.market/ultimate-manga-scraper

    🤔 ABOUT THIS VIDEO 👇
    This plugin will allow you to crawl and scrape data and import manga from Fanfox.net (formerly MangaFox.net). It supports both Auto importing, by a schedule (all mangas) and Manual mode scraping. You can also use it with your Proxies and check various options to improve manga scraping.

    The plugin for which you were waiting for, for a long time now, is here: build a manga site in minutes without manual and boring work of uploading images. This plugin will help you to import manga from fanfox.net very easily. Check some features of this plugin:

    – Works with the Madara theme
    – Scrape manga by URL or by keyword search
    – Schedule scraping runs or run them manually
    – Proxy settings and headless browser support to bypass any anti-scraping and crawling protection
    – Upload scraped chapter images to your server or directly to cloud (Blogger, BlogSpot, Flickr, Amazon S3, Imgur, FTP)
    – Just an easy setup and leave it running

    Give it a try now, check the link from the top of the description.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #MANGASCRAPER #WEBNOVELSCRAPER #MANGA #WEBNOVEL

    Supported CareerJet languages and sites in the Careeromatic plugin

    Locale Corresponding Careerjet Site
    ar_AE http://www.almehan.ae
    ar_EG http://www.almehan.com.eg
    ar_KW http://www.almehan.com.kw
    ar_LY http://www.almehan.ly
    ar_MA http://www.almehan.ma
    ar_OM http://www.almehan.com.om
    ar_QA http://www.almehan.com.qa
    ar_SA http://www.almehan.com
    ar_TN http://www.almehan.tn
    bs_BA http://www.careerjet.ba
    cs_CZ http://www.careerjet.cz
    da_DK http://www.careerjet.dk
    da_GL http://www.careerjet.gl
    de_AT http://www.careerjet.at
    de_CH http://www.careerjet.ch
    de_DE http://www.careerjet.de
    de_LI http://www.careerjet.li
    de_LU http://www.careerjet.lu
    el_CY http://www.careerjet.com.cy
    el_GR http://www.careerjet.gr
    en_AE http://www.careerjet.ae
    en_AF http://www.careerjet.com.af
    en_AU http://www.careerjet.com.au
    en_BD http://www.careerjet.com.bd
    en_CA http://www.careerjet.ca
    en_CN http://www.career-jet.cn
    en_EG http://www.careerjet.com.eg
    en_GB http://www.careerjet.co.uk
    en_GG http://www.careerjet.gg
    en_HK http://www.careerjet.hk
    en_ID http://www.careerjet.id
    en_IE http://www.careerjet.ie
    en_IM http://www.careerjet.im
    en_IN http://www.careerjet.co.in
    en_JE http://www.careerjet.je
    en_KE http://www.careerjet.co.ke
    en_KW http://www.careerjet.com.kw
    en_LY http://www.careerjet.ly
    en_MT http://www.careerjet.com.mt
    en_MY http://www.careerjet.com.my
    en_NG http://www.careerjet.com.ng
    en_NZ http://www.careerjet.co.nz
    en_OM http://www.careerjet.com.om
    en_PH http://www.careerjet.ph
    en_PK http://www.careerjet.com.pk
    en_PR http://www.careerjet.com.pr
    en_QA http://www.careerjet.com.qa
    en_SA http://www.careerjet-saudi-arabia.com
    en_SG http://www.careerjet.sg
    en_TH http://www.careerjet.co.th
    en_TW http://www.careerjet.com.tw
    en_US http://www.careerjet.com
    en_VG http://www.careerjet.vg
    en_VN http://www.careerjet.vn
    en_ZA http://www.careerjet.co.za
    es_AR http://www.opcionempleo.com.ar
    es_BO http://www.opcionempleo.com.bo
    es_CL http://www.opcionempleo.cl
    es_CO http://www.opcionempleo.com.co
    es_CR http://www.opcionempleo.co.cr
    es_DO http://www.opcionempleo.com.do
    es_EC http://www.opcionempleo.ec
    es_ES http://www.opcionempleo.com
    es_GT http://www.opcionempleo.com.gt
    es_HN http://www.opcionempleo.hn
    es_MX http://www.opcionempleo.com.mx
    es_NI http://www.opcionempleo.com.ni
    es_PA http://www.opcionempleo.com.pa
    es_PE http://www.opcionempleo.com.pe
    es_PR http://www.opcionempleo.com.pr
    es_PY http://www.opcionempleo.com.py
    es_SV http://www.opcionempleo.com.sv
    es_UY http://www.opcionempleo.com.uy
    es_VE http://www.opcionempleo.com.ve
    fi_FI http://www.careerjet.fi
    fr_BE http://www.optioncarriere.be
    fr_CA http://www.option-carriere.ca
    fr_CD http://www.optioncarriere.cd
    fr_CH http://www.optioncarriere.ch
    fr_DZ http://www.optioncarriere.dz
    fr_FR http://www.optioncarriere.com
    fr_LU http://www.optioncarriere.lu
    fr_MA http://www.optioncarriere.ma
    fr_TN http://www.optioncarriere.tn
    he_IL http://www.careerjet.co.il
    hi_IN http://www.careerjet.in
    hr_HR http://www.careerjet.com.hr
    hu_HU http://www.careerjet.hu
    id_ID http://www.careerjet.co.id
    it_IT http://www.careerjet.it
    ja_JP http://www.careerjet.jp
    ko_KR http://www.careerjet.co.kr
    lv_LV http://www.careerjet.lv
    ms_MY http://www.careerjet.my
    nl_BE http://www.careerjet.be
    nl_NL http://www.career-jet.nl
    no_NO http://www.careerjet.no
    pl_PL http://www.careerjet.pl
    pt_AO http://www.careerjet.co.ao
    pt_BR http://www.careerjet.com.br
    pt_PT http://www.careerjet.pt
    ro_RO http://www.careerjet.ro
    ru_BY http://www.careerjet.by
    ru_KZ http://www.careerjet.kz
    ru_RU http://www.careerjet.ru
    ru_UA http://www.careerjet.com.ua
    sk_SK http://www.careerjet.sk
    sl_SI http://www.careerjet.si
    sr_ME http://www.careerjet.me
    sr_RS http://www.careerjet.rs
    sv_SE http://www.careerjet.se
    th_TH http://www.careerjet.in.th
    tr_TR http://www.careerjet.com.tr
    uk_UA http://www.careerjet.ua
    vi_VN http://www.careerjet.com.vn
    zh_CN http://www.careerjet.cn
    zh_HK http://www.careerjet.com.hk
    zh_SG http://www.careerjet.com.sg
    zh_TW http://www.careerjet.tw

    BREAKING NEWS: Facebook, Instagram, Messenger and Oculus VR – DNS servers not responding!

    Facebook is down, along with Instagram, WhatsApp, Messenger, and Oculus VR – all down for a couple of hours now!
    It’s DNS!
    A peek at Down Detector (or your Twitter feed) reveals the problems are widespread. While it’s unclear exactly why the platforms are unreachable for so many people, their DNS records show that, like last week’s Slack outage, the problem is apparently DNS (it’s always DNS). Cloudflare senior vice president Dane Knecht notes that Facebook’s border gateway protocol routes — BGP helps networks pick the best path to deliver internet traffic — have been “withdrawn from the internet.”
    Instagram.com is flashing a 5xx Server Error message, while the Facebook site merely tells us that something went wrong. The problem also appears to be affecting its virtual reality arm, Oculus. Users can load games they already have installed and the browser works, but social features or installing new games does not. The outage is thorough enough that it’s affecting Workplace from Facebook customers and, according to Jane Manchun Wong, Facebook’s internal sites.
    There’s no word yet from Facebook about what may be causing the problem or when those sites, including Messenger and WhatsApp, will be operational again, but we will update this article with more information when it’s available.
    There are also lots and lots of funny memes on the official Twitter post from Facebook regarding this issue, you can check it below!

    Facebook’s official update on Twitter: https://twitter.com/Facebook/status/1445061804636479493

    DownDetector: https://downdetector.com/status/facebook/

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #FACEBOOKDOWN #INSTAGRAMDOWN #WHATSAPPDOWN #FACEBOOKGROKEN

    How to find a YouTube channel ID from a custom YouTube channel URL

    These tips will help you to find a channel ID for any video (even for custom YouTube channel URLs). If you want to know details, watch this video!
    Use TubeBuddy for free to get Channel ID ► https://www.tubebuddy.com/coderevolution

    🤔 ABOUT THIS VIDEO 👇
    If you need to embed YouTube Channel Videos on your website, you need to find your YouTube Channel ID if you don’t have a YouTube channel custom name. Follow the simple steps below.

    To obtain the channel id you can view the source code of the channel page and find either data-channel-external-id=”UCjXfkj5iapKHJrhYfAF9ZGg” or “externalId”:”UCjXfkj5iapKHJrhYfAF9ZGg”.

    To find your own YouTube Channel ID via YouTube settings:
    – Navigate to your channel
    – Go to settings
    – Click View advanced settings
    – Copy User ID or Channel ID

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #FINDCHANNELID #YOUTUBECHANNELID #CHANNELID #TUBEBUDDY

    Newsomatic update: featured image importing improvements

    The Newsomatic plugin was improved again, it has improved the importing of featured images for created news posts!
    Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    The process of importing featured images for news posts got improved in the Newsomatic plugin – check the latest update available for it!
    Starting from now, you will be able to configure the plugin and set it up to imports featured images for created posts from the source articles by scraping images from them and settings these images as featured images for posts you create on your site.

    Simply use a Visual Selector to highlight the images you wish to import from articles and the plugin will automatically extract the right image for all imported news articles.

    Check the plugin using the link from above!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #NEWSBLOG #NEWSSITE #POSTIMAGES

    Echo RSS plugin update: featured image selector support added

    The Echo RSS plugin was improved, it is now able to select exactly from where should it get the featured images for imported posts.
    Echo RSS plugin ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇
    The Echo RSS plugin was updated with a much needed feature, it is now able to select from where exactly from the page should it set the featured images of the created posts.
    Get full article content for items listed in the RSS feeds and also set the featured images of posts to the featured image you require.
    This update helps improve the functionality of the plugin, added because of popular request.
    If you have more featured suggestions for the Echo RSS plugin, let me know in the comments of this video.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #FEATUREDIMAGE #POSTFEATUREDIMAGE #RSSAGGREGATOR #AUTOBLOGGER

    Ezinomatic & Mastermind RSS Plugin Updates: DeepL Translator Support Added

    The Ezinomatic and Mastermind RSS plugins were updated, now they can use the DeepL translator also, besides Google Translator!
    Ezinomatic ► https://1.envato.market/ezinomatic
    Mastermind RSS ► https://1.envato.market/mastermind

    🤔 ABOUT THIS VIDEO 👇
    DeepL translator offers a great API to translate content from many languages to the language you desire.
    Many of the plugins I created are now updated, to be able to use DeepL translator in their posting of new content. Today, Mastermind RSS and Ezinomatic also joins the ranks of these plugins.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #DEEPL #DEEPLAPI #TRANSLATORAPI #APITRANSLATE

    How can you monetize a site run on an autoblog tool like Newsomatic?

    Here are some monetization options for autoblogs created with the Newsomatic plugin:
    – Affiliate ads in the content or sidebar.
    – Sell ad space
    – Create your own digital product and promote it / sell it on your site
    – AdSense or alternative ad networks
    – Accept donations from visitors
    – Sell sponsored posts
    – Or simply flip and sell the entire website.

    HeadlessBrowserAPI New Feature: User Dashboard Added!

    The HeadlessBrowserAPI user interface was updated, it got a brand new user dashboard added, where you can manage your subscription!
    HeadlessBrowserAPI ► https://headlessbrowserapi.com/
    Plugins that are able to use this API:
    Crawlomatic ► https://1.envato.market/crawlomatic
    Newsomatic ► https://1.envato.market/newsomatic
    Echo RSS ► https://1.envato.market/echo
    URL to RSS ► https://1.envato.market/customcuratedrss
    Playomatic ► https://1.envato.market/playomatic
    Quoramatic ► https://1.envato.market/quoramatic

    🤔 ABOUT THIS VIDEO 👇
    Based on popular requests, the HeadlessBrowserAPI was updated, it got a new dashboard feature, each user will be able to access a dashboard where you will be able to check and manage your subscriptions for the API.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SCRAPERAPI #HEADLESSBROWSERAPI #PUPPETEER #PHANTOMJS

    How to Upload Public Videos Using the YouTube Data API – submit a form and pass the API audit

    Let me show you how to upload public videos using the YouTube API, for details watch this video!
    Form to Submit ► https://support.google.com/youtube/contact/yt_api_form
    Youtubomatic ► https://1.envato.market/youtubomatic
    YouTube.php File to Submit ► https://coderevolution.ro/knowledge-base/faq/how-to-use-youtube-api-to-upload-video-using-php/

    🤔 ABOUT THIS VIDEO 👇
    Unfortunately, since 2020 YouTube requires your app to be reviewed and approved for public video upload right, in order to not get all uploaded videos using their API locked as private.
    All videos uploaded via the videos.insert endpoint from unverified API projects created after 28 July 2020 will be restricted to private viewing mode. To lift this restriction, each API project must undergo an audit.
    As unfortunate as it is, until your Google Developer Console app gets approved by Google, if needing to make video content publicly available, you have no other option than to upload that content manually.

    In this video I will go through the required steps to make your YouTube API approved for private upload rights. I go on the form step by step and show you how to submit it and how to get approved for uploading public videos to YouTube using the YouTube Data API.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBEDATAAPI #DATAAPI #YOUTUBEAPI #PUBLICVIDEO

    How to Use YouTube API to Upload Video using PHP?

    Requirements to Develop This Demo of Uploading Video using PHP:

    In order to develop this demo, we will need the following;

    1. Database
    2. JS
    3. CSS
    4. CODE
    5. Includes
    6. Src

    First, let’s start with the Database.

    • Log in with your PHPMyAdmin – http://localhost/phpmyadmin
    • Find the create button, and create a new database.
    • Now, click on the import button and select the youtube_video.sql file.
    • Once the database is imported successfully, the next step is to put the CSS and JS file into the project directory.

    Now, we’ll start with the following Code Structure.

    1.Index.php
    2.Config.php
    3.Logout.php

    Steps to Create Youtube API Key to Upload Video in PHP

    Step 1: Go to Google developers console – https://console.developers.google.com/

    Step 2: Create a new project by clicking on the Create Project button.

    Step 3: In the project name field, type the name of your project.

    Step 4: In the project ID field, the console will provide a project ID. However, the project ID must be unique.

    Step 5: Now hit the Create button.

    Step 6: Once you create a project successfully, find the APIs tab in the sidebar. Here, a list of Google API will appear.

    Step 7:Find the Google+API service and set its status to Enable.

    Step 8: Also, find the Youtube Data API service and set its status to Enable.

    Step 9: Now go to Credentials under APIs & auth section.

    Step 10: Create a new Client ID.

    Step 11: A dialog box will appear to choose the application type. Select the Web Application and click on the Configure consent screen button.

    Step 12: Next, choose the email address and enter the product name.

    Step 13: In the Authorized Javascript origins field, enter your app origin to allow it to run on protocols, subdomains, and domains.

    Step 14: Now in the Authorized Redirect URL field, enter your redirect URL.

    Step 15: At last, click on Create Client ID.

    Want to Develop a Web Application?

    Validate your app idea and get a free quote.

    Start Code Integration

    Index.php

    <?php 
    
    if(session_id() != '') session_destroy(); 
    
    if(isset($_GET['err'])){ 
    
    if($_GET['err'] == 'bf'){ 
    
    $errorMsg = 'Please select a video file for upload.'; 
    
    }elseif($_GET['err'] == 'ue'){ 
    
    $errorMsg = 'Sorry, there was an error uploading your file.'; 
    
    }elseif($_GET['err'] == 'fe'){ 
    
    $errorMsg = 'Sorry, only MP4, AVI, MPEG, MPG, MOV & WMV files are allowed.'; 
    
    }else{ 
    
    $errorMsg = 'Some problems occured, please try again.'; 
    
    } 
    
    } 
    
    ?> 
    
    <!DOCTYPE html> 
    
    <html> 
    
    <head> 
    
    <title>SPACE-O :: Youtube upload</title> 
    
    <link rel="stylesheet" type="text/css" href="css/style.css"/> 
    
    </head> 
    
    <body> 
    
    <div class="youtube-box"> 
    
    <h1>Upload video to YouTube using PHP</h1> 
    
    <form method="post" name="multiple_upload_form" id="multiple_upload_form" enctype="multipart/form-data" action="youtube_upload.php"> 
    
    <?php echo (!empty($errorMsg))?'<p class="err-msg">'.$errorMsg.'</p>':''; ?> 
    
    <label for="title">Title:</label><input type="text" name="title" id="title" value="" /> 
    
    <label for="description">Description:</label> <textarea name="description" id="description" cols="20" rows="2" ></textarea> 
    
    <label for="tags">Tags:</label> <input type="text" name="tags" id="tags" value="" /> 
    
    <label for="video_file">Choose Video File:</label> <input type="file" name="videoFile" id="videoFile" > 
    
    <input name="videoSubmit" id="submit" type="submit" value="Upload"> 
    
    </form> 
    
    </div> 
    
    </body> 
    
    </html>

    DB.php

    define('HOST', 'localhost'); 
    
    define('USERNAME', '{USERNAME}'); 
    
    define('PASSWORD', '{PASSWORD}'); 
    
    define('DATABASE_NAME', 'youtube_video'); 
    
    //Connect and select the database 
    
    $db = new mysqli(HOST, USERNAME, PASSWORD, DATABASE_NAME); 
    
    if ($db->connect_error) { 
    
        die("Connection failed: " . $db->connect_error); 
    
    }

    NOTE: change value of HOST, USERNAME, PASSWORD, DATABASE_NAME after change run your DB.php file in the browser. If you got any error then you may put value wrong

    Config.php

    <?php 
    
        // OAUTH Configuration 
    
        $oauthClientID = '{ClientID}'; 
    
        $oauthClientSecret = '{Scereat Key}'; 
    
        $baseUri = 'http://localhost/DEMO/youtube_demo/'; 
    
        $redirectUri =$baseUri.'/youtube_upload.php'; 
    
         
    
        define('OAUTH_CLIENT_ID',$oauthClientID); 
    
        define('OAUTH_CLIENT_SECRET',$oauthClientSecret); 
    
        define('REDIRECT_URI',$redirectUri); 
    
        define('BASE_URI',$baseUri); 
    
         
    
        // Include google client libraries 
    
        require_once 'src/autoload.php'; 
    
        require_once 'src/Client.php'; 
    
        require_once 'src/Service/YouTube.php'; 
    
        session_start(); 
    
         
    
        $client = new Google_Client(); 
    
        $client->setClientId(OAUTH_CLIENT_ID); 
    
        $client->setClientSecret(OAUTH_CLIENT_SECRET); 
    
        $client->setScopes('https://www.googleapis.com/auth/youtube'); 
    
        $client->setRedirectUri(REDIRECT_URI); 
    
        $youtube = new Google_Service_YouTube($client); 
    
         
    
    ?>

    Youtube.php

    <?php 
    
    require_once 'config.php'; 
    
    require_once 'includes/DB.php'; 
    
    // create an object of class DB. 
    
    $db = new DB; 
    
    if(isset($_REQUEST['videoSubmit'])){ 
    
    $videoTitle = $_REQUEST['title']; 
    
    $videoDesc = $_REQUEST['description']; 
    
    $videoTags = $_REQUEST['tags']; 
    
    if($_FILES["videoFile"]["name"] != ''){ 
    
        $fileSize = $_FILES['videoFile']['size']; 
    
        $fileType = $_FILES['videoFile']['type']; 
    
        $fileName = str_shuffle('nityanandamaity').'-'.basename($_FILES["videoFile"]["name"]); 
    
    $targetDir = "videos/"; 
    
    $targetFile = $targetDir . $fileName; 
    
    $allowedTypeArr = array("video/mp4", "video/avi", "video/mpeg", "video/mpg", "video/mov", "video/wmv", "video/rm"); 
    
    if(in_array($fileType, $allowedTypeArr)) { 
    
        if(move_uploaded_file($_FILES['videoFile']['tmp_name'], $targetFile)) { 
    
            $videoFilePath = $targetFile; 
    
        }else{ 
    
            header('Location:'.BASE_URI.'index.php?err=ue'); 
    
    exit; 
    
        } 
    
    }else{ 
    
    header('Location:'.BASE_URI.'index.php?err=fe'); 
    
    exit; 
    
    } 
    
    // insert video data 
    
    $db->insert($videoTitle,$videoDesc,$videoTags,$videoFilePath); 
    
    }else{ 
    
    header('Location:'.BASE_URI.'index.php?err=bf'); 
    
    exit; 
    
    } 
    
    } 
    
    // get last video data 
    
    $result = $db->getLastRow(); 
    
    /* 
    
     * You can acquire an OAuth 2.0 client ID and client secret from the 
    
     * Google Developers Console <https://console.developers.google.com/> 
    
     * For more information about using OAuth 2.0 to access Google APIs, please see: 
    
     * <https://developers.google.com/youtube/v3/guides/authentication> 
    
     * Please ensure that you have enabled the YouTube Data API for your project. 
    
     */ 
    
    if (isset($_GET['code'])) { 
    
    if (strval($_SESSION['state']) !== strval($_GET['state'])) { 
    
      die('The session state did not match.'); 
    
    } 
    
    $client->authenticate($_GET['code']); 
    
    $_SESSION['token'] = $client->getAccessToken(); 
    
    header('Location: ' . REDIRECT_URI); 
    
    } 
    
    if (isset($_SESSION['token'])) { 
    
    $client->setAccessToken($_SESSION['token']); 
    
    } 
    
    $htmlBody = ''; 
    
    // Check to ensure that the access token was successfully acquired. 
    
    if ($client->getAccessToken()) { 
    
      try{ 
    
        // REPLACE this value with the path to the file you are uploading. 
    
        $videoPath = $result['video_path']; 
    
        // Create a snippet with title, description, tags and category ID 
    
        // Create an asset resource and set its snippet metadata and type. 
    
        // This example sets the video's title, description, keyword tags, and 
    
        // video category. 
    
        $snippet = new Google_Service_YouTube_VideoSnippet(); 
    
        $snippet->setTitle($result['video_title']); 
    
        $snippet->setDescription($result['video_description']); 
    
        $snippet->setTags(explode(",",$result['video_tags'])); 
    
        // Numeric video category. See 
    
        // https://developers.google.com/youtube/v3/docs/videoCategories/list 
    
        $snippet->setCategoryId("22"); 
    
        // Set the video's status to "public". Valid statuses are "public", 
    
        // "private" and "unlisted". 
    
        $status = new Google_Service_YouTube_VideoStatus(); 
    
        $status->privacyStatus = "public"; 
    
        // Associate the snippet and status objects with a new video resource. 
    
        $video = new Google_Service_YouTube_Video(); 
    
        $video->setSnippet($snippet); 
    
        $video->setStatus($status); 
    
        // Specify the size of each chunk of data, in bytes. Set a higher value for 
    
        // reliable connection as fewer chunks lead to faster uploads. Set a lower 
    
        // value for better recovery on less reliable connections. 
    
        $chunkSizeBytes = 1 * 1024 * 1024; 
    
        // Setting the defer flag to true tells the client to return a request which can be called 
    
        // with ->execute(); instead of making the API call immediately. 
    
        $client->setDefer(true); 
    
        // Create a request for the API's videos.insert method to create and upload the video. 
    
        $insertRequest = $youtube->videos->insert("status,snippet", $video); 
    
        // Create a MediaFileUpload object for resumable uploads. 
    
        $media = new Google_Http_MediaFileUpload( 
    
            $client, 
    
            $insertRequest, 
    
            'video/*', 
    
            null, 
    
            true, 
    
            $chunkSizeBytes 
    
        ); 
    
        $media->setFileSize(filesize($videoPath)); 
    
        // Read the media file and upload it. 
    
        $status = false; 
    
        $handle = fopen($videoPath, "rb"); 
    
        while (!$status && !feof($handle)) { 
    
          $chunk = fread($handle, $chunkSizeBytes); 
    
          $status = $media->nextChunk($chunk); 
    
        } 
    
        fclose($handle); 
    
        // If you want to make other calls after the file upload, set setDefer back to false 
    
        $client->setDefer(false); 
    
    // Update youtube video ID to database 
    
    $db->update($result['video_id'],$status['id']); 
    
    // delete video file from local folder 
    
    @unlink($result['video_path']); 
    
        $htmlBody .= "<p class='succ-msg'>Video have been uploaded successfully.</p><ul>"; 
    
    $htmlBody .= '<embed width="400" height="315" src="https://www.youtube.com/embed/'.$status['id'].'"></embed>'; 
    
    $htmlBody .= '<li><b>Title: </b>'.$status['snippet']['title'].'</li>'; 
    
    $htmlBody .= '<li><b>Description: </b>'.$status['snippet']['description'].'</li>'; 
    
    $htmlBody .= '<li><b>Tags: </b>'.implode(",",$status['snippet']['tags']).'</li>'; 
    
        $htmlBody .= '</ul>'; 
    
    $htmlBody .= '<a href="logout.php">Logout</a>'; 
    
      } catch (Google_ServiceException $e) { 
    
        $htmlBody .= sprintf('<p>A service error occurred: <code>%s</code></p>', 
    
            htmlspecialchars($e->getMessage())); 
    
      } catch (Google_Exception $e) { 
    
        $htmlBody .= sprintf('<p>An client error occurred: <code>%s</code></p>', htmlspecialchars($e->getMessage())); 
    
    $htmlBody .= 'Please reset session <a href="logout.php">Logout</a>'; 
    
      } 
    
       
    
      $_SESSION['token'] = $client->getAccessToken(); 
    
    } else { 
    
    // If the user hasn't authorized the app, initiate the OAuth flow 
    
    $state = mt_rand(); 
    
    $client->setState($state); 
    
    $_SESSION['state'] = $state; 
    
       
    
    $authUrl = $client->createAuthUrl(); 
    
    $htmlBody = <<<END 
    
    <h3>Authorization Required</h3> 
    
    <p>You need to <a href="$authUrl">authorize access</a> before proceeding.<p> 
    
    END; 
    
    } 
    
    ?> 
    
    <!DOCTYPE html> 
    
    <html> 
    
    <head> 
    
    <title>SPACE-O :: Youtube upload</title> 
    
    <link rel="stylesheet" type="text/css" href="css/style.css"/> 
    
    </head> 
    
    <body> 
    
    <div class="youtube-box"> 
    
    <h1>Upload video to YouTube using PHP</h1> 
    
    <div class="video-up"><a href="<?php echo BASE_URI; ?>">New Upload</a></div> 
    
    <div class="content"> 
    
    <?php echo $htmlBody; ?> 
    
    </div> 
    
    </div> 
    
    </div> 
    
    </body> 
    
    </html>

    And Done!

    Here’s a free copy of the PHP Video Upload Demo on Github.

    HeadlessBrowserAPI Update: Built-in Rotating Proxy System – Never Get Blocked While Scraping!

    HeadlessBrowserAPI was updated, it is now using by default a pool of 200000 proxies which will mask each request you make!
    Check HeadlessBrowserAPI ► https://headlessbrowserapi.com/
    Check Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Using a proxy allows you to control the IP Address that your browser requests use. While you can use a custom proxy (as was available before in the API), we also have a built in rotating proxy system to handle common needs. Docs for the built-in proxy solution can be found here: https://headlessbrowserapi.com/documentation/

    Built-in Proxy Choices:
    By default, the API will Use a random IP Address from around the world, for each request it makes.
    You can also set your own proxy, if you add its IP address in the API parameters.
    Or, as an alternative, you can disable the usage of proxies, by setting the proxy_url parameter of the API request (of in the Crawlomatic plugin’s settings, if you are using it), to disabled.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SCRAPERAPI #HEADLESSBROWSERAPI #DYNAMICCONTENTSCRAPING #JSSCRAPING

    Newsomatic tutorial: How to separately spin and translate posts imported by the plugin

    These tips will help you to separately spin and translate posts imported by the plugin. If you want to learn more about this, watch this video!
    Check Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    If you are interested in spinning content imported by the Newsomatic plugin and also translating it to different languages, than this video is for you! Check how to separately spin and translate posts imported by different rules created in the Newsomatic plugin.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #NEWSOMATIC #TRANSLATE #SPIN

    Ebayomatic 4.0 update: plugin working with the new eBay Browse API (instead of the old Finding API)

    The Ebayomatic plugin is updated, now working with the latest eBay API!
    Ebayomatic plugin ► https://1.envato.market/ebayomatic
    Account Closure Notifications Setup Video ► https://www.youtube.com/watch?v=cSYIis2MVJs
    Full tutorial video for the Ebayomatic plugin ► https://www.youtube.com/watch?v=_sr6ErLmNYE&list=PLEiGTaa0iBIirzZF_Hoa6e5T1P6QORmSV&index=2

    🤔 ABOUT THIS VIDEO 👇
    Check the latest update for the Ebayomatic plugin, which will make it to continue working for a long time from now on, because it was updated to the latest eBay API (Browse API). The previous eBay API the plugin was using (the Finding API) was created back in 2009 and updated until 2014. Recently, eBay announced that it is deprecated and it must be replaced by the new Browse API from eBay.
    This update makes this change in the plugin, replacing the old Finding API with the new Browse API and making sure the Ebayomatic plugin will continue to function for a long time from now on.
    By the end of this year, eBay Partner Network will no longer support eBay’s Finding API, Shopping API, or Trading API.
    Check official API deprecation status from eBay: https://developer.ebay.com/docs/api-deprecation

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #EBAY #EBAYAFFILIATE #EBAYAPI #EBAYBROWSEAPI

    How to reduce HeadlessBrowserAPI call count in Crawlomatic

    These tips will help you to reduce HeadlessBrowserAPI call count in the Crawlomatic plugin. If you want to learn more about this, watch this video!
    Crawlomatic ► https://1.envato.market/crawlomatic
    HeadlessBrowserAPI ► https://headlessbrowserapi.com/

    🤔 ABOUT THIS VIDEO 👇
    This video will give you some tips for reducing the number of API requests the Crawlomatic plugin will do when using the HeadlessBrowserAPI to scrape JavaScript rendered content.

    If you make a lot of API requests in a short amount of time, you may bump into the API rate limit for requests. When you reach the limit, the HeadlessBrowserAPI stops processing any more requests until a certain amount of time has passed.

    This video covers the following best practices for avoiding rate limiting.

    The rate limits for a HeadlessBrowserAPI subscription are outlined in Rate limits in the Support API docs. Get familiar with the limits before starting your project: https://headlessbrowserapi.com/pricing/

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CRAWLOMATIC #HEADLESSBROWSERAPI #WPSCRAPER #WPCRAWLER

    Youtubomatic: How to import videos from a YouTube Playlist to WordPress

    These tips will help you to import videos from a YouTube playlist to WordPress. If you want to learn more about this, watch this video!
    Youtubomatic ► https://1.envato.market/youtubomatic

    🤔 ABOUT THIS VIDEO 👇
    This is another tutorial video for the Youtubomatic plugin, in which I will show you how to import videos from a YouTube playlist to your WordPress site, using the Youtubomatic plugin.
    Check the above video for exact steps on how to get videos from a YouTube playlist and embed them to your site.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #PLAYLIST #PLAYLISTS #YOUTUBEPLAYLIST #YOUTUBEPLAYLISTS

    Crawlomatic update: Strip HTML or Textualize HTML by XPath Expressions

    The Crawlomatic plugin got another update to make it an even more advanced web scraper for WordPress!
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    If you want to remove HTML from a part of the scraped content you imported using the Crawlomatic plugin, you are in luck, because in the latest update of this WordPress plugin, it is able to strip HTML tags of parts of the imported content, matched by custom XPath expressions.
    This feature will make the Crawlomatic plugin an even more advanced web scraper plugin for WordPress.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SCRAPER #CRAWLOMATIC #CRAWLER #WPSCRAPER

    [Advanced Web Scraping] Local Storage Object Support added to Crawlomatic and HeadlessBrowserAPI

    [Advanced web scraping] HeadlessBrowserAPI and Crawlomatic were updated, now they are able to use Local Storage objects to get better at scraping websites!
    Check Crawlomatic ► https://1.envato.market/crawlomatic
    Check HeadlessBrowserAPI ► https://headlessbrowserapi.com

    🤔 ABOUT THIS VIDEO 👇
    The Crawlomatic plugin and the HeadlessBrowserAPI service were both updated to support local storage objects. These might be required to scrape some modern websites which require you to set them when scraping their content (otherwise, scraping might become impossible, because they display a warning notice, which can disappear only if you set a specific local storage object). Local storage is very similar to cookies. However, cookies and local storage serve different purposes. Cookies are primarily for reading server-side, local storage can only be read by the client-side.
    Let me explain in the above video how to use this new feature and how you can benefit of it while scraping content from websites.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SCRAPING #SCRAPER #LOCALSTORAGE #ADVANCEDSCRAPING

    CodeRevolution just turned 6 years old!

    Happy Birthday CodeRevolution! Let me share a special promotion as a birthday surprise (as a thank you) to you guys!
    My plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    Hi guys! I’m so excited to be able to announce another great news! Happy Birthday CodeRevolution!
    To celebrate this, I am hosting a new promotion, check details in the above video!
    Cheers!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #BIRTHDAY #6THBIRTHDAY #HAPPYBIRTHDAY

    ⏰ GET Envato PlaceIt Subscription COUPON (Limited Time Offer)⏰

    Get Envato PlaceIt subscription with a discount, just watch this video and learn how to redeem this discount! Click the link below!
    Envato PlaceIt Coupon ► https://1.envato.market/PlaceIt30OFF
    Envato Elements 9 USD Coupon ► https://www.youtube.com/watch?v=Csq8GFn0s4M

    🤔 ABOUT THIS VIDEO 👇
    Check out this deal that I specifically negotiated, just for you. If need mockups, templates, designs for your clients or for yourself, you got to check out Envato PlaceIt. It gives you access to a large number of high quality creative assets, including premium t-shirt designs, gaming templates, labor day templates, twitch templates, logos, icons and anything else you might need in your new project. Instead of spending 14.95$ per month, you can can get your subscription only for 10.46$. Envato’s massive inventory includes thousands of creative assets and is continuously growing. Subscription can be canceled any time, but I am not sure why you would do this, PlaceIt is awesome! 🙂
    Use the discounted link I am sharing with you today, that will also automatically apply the coupon code, to get the maximum available Envato PlaceIt discount towards your subscription. Envato PlaceIt Coupon code will be automatically applied when you sign up with this link and create an account.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #PLACEIT #ENVATOPLACEIT #PLACEITCOUPON #PLACEITDISCOUNT

    Crawlomatic Plugin Update: Set Scraped Website Screenshots as Post Featured Images

    The Crawlomatic plugin was updated, now it can set screenshots as post featured images
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Check the latest update for the Crawlomatic plugin: it can set post featured images from screenshots of scraped posts.
    WP Featured Screenshot – set the featured image of created posts from screenshots made of scraped websites.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WEBSITESCREENSHOT #SCREENSHOTSCRAPER #SCREENSHOT #SCRAPESCREENSHOT

    eBay Marketplace Account Deletion/Closure Notifications – Ebayomatic update

    The Ebayomatic plugin is updated to match latest eBay API requirements!
    Ebayomatic plugin ► https://1.envato.market/ebayomatic

    🤔 ABOUT THIS VIDEO 👇
    The eBay API now requires some new settings to be done in your API console, to keep your API key functional.
    The new requirements are related to the eBay Account Deletion/Closure Notifications requirements of the eBay API.

    eBay provides their users a way to request that their personal data be deleted from eBay’s systems, as well as deleted from the systems of all eBay partners who store/display their personal data, including third-party developers integrated with eBay APIs via the eBay Developers Program.
    To assist third-party developers in deleting customer data, eBay has created a push notification system that will notify all eBay Developers Program applications when an eBay user has requested that their personal data be deleted and their account closed. This document will discuss what third-party developers will need to do to receive, respond to, and validate these eBay marketplace account deletion/closure notifications.

    This is a new requirements if you want to use the eBay API and the Ebayomatic plugin.

    Please check this video for details.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #EBAYAPI #EBAY #EBAYOMATIC #EBAYACCOUNTDELETION

    Envato turns 15! To celebrate, check this 50% discount for my plugins!

    Happy 15th Birthday Envato! Lets celebrate with some plugin discounts!
    Newsomatic ► https://1.envato.market/newsomatic
    Echo RSS ► https://1.envato.market/echo
    Youtubomatic ► https://1.envato.market/youtubomatic
    FBomatic ► http://1.envato.market/fbomatic
    WordPressomatic ► https://1.envato.market/wordpressomatic

    🤔 ABOUT THIS VIDEO 👇
    If you haven’t had the chance to grab my plugins yet, currently 5 of them are 50% discounted, because they are included in Envato’s 15th Birthday Celebration Sale.
    Envato staff hand picked the below plugins and included them in this sale.
    Check them here:
    https://1.envato.market/newsomatic
    https://1.envato.market/echo
    https://1.envato.market/youtubomatic
    http://1.envato.market/fbomatic
    https://1.envato.market/wordpressomatic

    Happy 15th birthday Envato!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ENVATO #ENVATOBIRTHDAYSALE #BIRTHDAYSALE #ENVATO15THBIRTHDAY

    Envato Elements Flash Sale 2021 – 55 Million Design Assets At 40% OFF [for a limited period]

    The Flash Sale ended, but you can still get a free coupon to join Envato Elements, if you click on this link: https://www.youtube.com/watch?v=waBhPYAcW3c

    Subscribe to Envato Elements here: https://1.envato.market/elementsenvato

    🤔 ABOUT THIS VIDEO 👇
    During the flash sale, You can get Envato Elements Individual monthly subscription for just $14/month and yearly for just $168 while the student monthly subscription will be available for just $9/month and $108/year.

    Once the Envato Elements Sale 2021 ends, the pricing will go back to its original $33 and $198 for monthly and yearly subscriptions respectively.

    The flash sale will start on August 10 and ends on August 12.

    Clicking on the link from below will take you to the Envato Elements pricing page. There you can select which plan you would like to subscribe to – Monthly or Yearly.
    Envato Elements Flash Sale 2021
    Click on the button to visit the Envato Elements pricing page
    https://1.envato.market/EnvatoElementsFlashSale2021

    LIMITED TIME OFFER
    Envato Elements Flash Sale starts August 10 and ends August 12, 2021

    By subscribing, you will get unlimited access to millions of design assets such as:

    Graphic & Presentation Templates – A library of more than 150K print graphic design templates, product mockups, website designs, UX/UI kits, infographics, logos and scene generators.
    WordPress Themes & Plugins – More than 3000 email, admin, landing page and website templates.
    Stock Photos & Videos – High definition stock photos and videos . From b-roll footage to background, business, nature videos, and other premium stock images.
    Video Templates – More than 33,000 openers, titles and logo stings to video displays, product promo and much more for After Effects, Premiere Pro, Final Cut Pro, DaVinci Resolve.
    Music Tracks & Sound Effects – Thousands of premium, royalty free audio tracks and effects for use in your projects.
    Fonts – Thousands of stunning fonts for all kind of projects.
    Courses & ebooks – Get 1000+ courses and ebooks with free access to Envato tuts+.
    This is a one-time deal and you should definitely take full advantage of this sale.

    Get your unlimited subscription plan before the Envato Elements Sale 2021 ends.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ENVATOELEMENTS #ELEMENTSFLASHSALE #ELEMENTSDISCOUNT #ELEMENTSSALE

    Crawlomatic Update: Inject your custom JavaScript code into pages and scrape the result

    The Crawlomatic plugin is updated, now it is able to inject custom JavaScript code into scraped pages and get the resulting HTML
    Crawlomatic ► https://1.envato.market/crawlomatic
    HeadlessBrowserAPI ► https://headlessbrowserapi.com/

    🤔 ABOUT THIS VIDEO 👇
    Crawlomatic is updated, now it is able to execute your custom JavaScript code, injected into scraped web pages. You need to combine the plugin with a headless browser (Puppeteer/Tor/PhantomJS or HeadlessBrowserAPI).
    If you need to scroll or click on a button on the page you want to scrape, no problem! You can pass any JavaScript snippet that needs to be executed in the scraped website using this new feature of the Crawlomatic plugin.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #INJECTJS #JAVASCRIPTINJECT #JSINJECT #JAVASCRIPTSCRAPER

    HeadlessBrowserAPI update: Inject your own custom JavaScript code in websites and scrape the result

    The HeadlessBrowserAPI got a new feature, it is now able to execute your own custom JavaScript code, injected and executed in scraped websites!
    HeadlessBrowserAPI ► https://headlessbrowserapi.com/

    🤔 ABOUT THIS VIDEO 👇
    HealdessBrowserAPI is able in its latest update to inject external script that modifies the page. You will be able to scrape the resulting HTML as the site would have originally contained the JavaScript code you injected in it.
    Using this feature, you can modify the scraped pages in any way you like. You will be able to change colors, add or modify images or text, highlight portions of text, click on buttons, add or remove content, and many, many more ways to edit the scraped websites.
    With this new update, you can execute arbitrary JavaScript code inside a Headless Chrome instance.
    This can be useful for example if you need to perform a scroll where an infinite scroll triggers AJAX requests to load more elements.
    It’s also useful where you need to simulate clicking a button before specific information is displayed.
    To execute JavaScript in a headless Chrome browser, add the parameter jsexec with your snippet url encoded.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #HEADLESSBROWSER #SCRAPERAPI #HEADLESSBROWSERAPI #PUPPETEERAPI

    Generate Content Using AI – Contentomatic v1.1 update: import articles from Article Forge

    The Contentomatic plugin was updated, now it is able to use Article Forge to create AI written posts, with images and even videos in them!
    Contentomatic ► https://1.envato.market/contentomatic
    Article Forge ► https://www.articleforge.com/?ref=b19cc7

    🤔 ABOUT THIS VIDEO 👇
    Using advanced artificial intelligence and deep learning, Article Forge writes completely unique, on-topic, high-quality articles with the click of a button. The generated articles include relevant images and even videos!
    The Contentomatic plugin was updated, now it is able to use ArticleForge as a content source (besides of ArticleBuilder, which was initially supported in the plugin).

    Give the plugin a try today and create unique articles, relevant to your niche!

    Content is expensive and time-consuming to create, but it doesn’t have to be. Article Forge was born out of five years of artificial intelligence research, and its deep learning models are trained on millions of articles so it can write intelligently about virtually any topic.

    This allows our AI to write entire, unique, naturally flowing articles with just the click of a button, drastically cutting down the time and money needed to create content.
    Enter your keyword, any optional sub keywords, your article length, and any other requirements into the Article Forge system.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ARTICLEFORGE #AIWRITTEN #WPARTICLEFORGE #WPCONTENT

    Twitchomatic v2.0 update – using the new Twitch API

    The Twitchomatic plugin was updated, now it is using the new Twitch API!
    Twitchomatic Plugin ► https://1.envato.market/twitchomatic
    Previous Tutorial Video (showing full config) ► https://www.youtube.com/watch?v=LBPMxMaL6b8 />
    🤔 ABOUT THIS VIDEO 👇
    Legacy Twitch API v5 is deprecated and scheduled to be decommissioned on February 28, 2022. Because of this, I updated the Twitchomatic plugin to work with the new Twitch API which will replace the old API which will shut down in 2022.
    In this tutorial video I will show the steps required to configure the v2 of the Twitchomatic plugin.
    I am working to make sure the upcoming changes will be as well implemented in the plugin. As members of the Twitch community, I understand that we count on the reliability and stability of the Twitchomatic plugin. It is our goal, through these changes, to meet these requirements so that you can build more amazing experiences on Twitch and with the Twitchomatic plugin. Thank you for your continued support for this plugin!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TWITCH #TWITCHOMATIC #TWITCHAPI #WPTWITCH

    How to get the XPath Expression for Any HTML Element from a Web Page using Chrome Browser

    Let me show you how to copy any HTML element’s XPath using Chrome

    🤔 ABOUT THIS VIDEO 👇
    To get the XPath of any HTML element using the Chrome browsers, you need to do the following steps:

    1. Using Google Chrome go to the page where the HTML element who’s XPath expression you want to get
    2. Right click “inspect” on the item you are trying to find the XPath
    3. Right click on the highlighted area on the console
    4. Go to Copy XPath

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #XPATH #GETXPATH #CHROMEXPATH #COPYXPATH

    Microsoft Translator added also to Crawlomatic and Echo RSS plugins!

    The Crawlomatic and Echo RSS plugins are updated, now they can also use the Microsoft Translator API (like Newsomatic was able before).
    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic
    Echo RSS ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇
    You’ve probably used machine translation in one form or another at some point. There’s a lot of software that enables you to translate content into almost any language you want. These tools do their jobs ‘automatically’, so you get results near instantly.

    However, machine translation doesn’t work by magic. Some services do a better job of localizing difficult words or capturing nuances that others miss. Knowing which platform to use can make a huge difference in the quality of your multilingual website. Microsoft Translator is one of the best APIs which can automatically translate content. And now they are also able to be used from Crawlomatic and Echo RSS (and also Newsomatic from before).

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #MICROSOFTTRANSLATOR #TRANSLATEAPI #BINGTRANSLATOR #AUTOTRANSLATE

    Crawlomatic new update: SpinnerChief Paraphraser support added to the plugin!

    The Crawlomatic plugin was updated, SpinnerChief support added to it!
    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic
    SpinnerChief (spin content in multiple languages) ► http://www.whitehatbox.com/Agents/SSS?code=iscpuQScOZMi3vGFhPVBnAP5FyC6mPaOEshvgU4BbyoH8ftVRbM3uQ==

    🤔 ABOUT THIS VIDEO 👇
    The Crawlomatic plugin was updated, now it is able to use also the SpinnerChief text paraphrasing tool to automatically rewrite scraped content and make it unique.
    Completely automate your article spinning or fine tune a document using SpinnerChief, the best spinner on the market today!
    Make multiple unique copies of your original document in the industry standard JetSpinner format and verify their uniqueness in CopyScape.
    Spinnerchief has now been optimised for speed and performance either in single word mode or whole sentence / paragraph mode. It is also seamlessly integrated in the Crawlomatic plugin, making it even more powerful!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CRAWLOMATIC #SPINNERCHIEF #WORDSPINNER #CRAWLOMATICPLUGIN

    Newsomatic updated – Microsoft Translator Support Added

    The Newsomatic plugin was updated, support was added for Microsoft Translator, to automatically translate imported content!
    🔎 RESOURCES MENTIONED 👇
    Newsomatic ► https://1.envato.market/newsomatic
    Help for Microsoft Translator ► https://coderevolution.ro/knowledge-base/faq/how-to-create-a-microsoft-translator-api-key-from-using-azure-control-panel/

    🤔 ABOUT THIS VIDEO 👇
    Steps you will need to do to get an Azure API key to set up Microsoft Translator in the plugin:
    1- Sign up for an Azure account here https://azure.com/
    2- After you have an account go to https://portal.azure.com
    3- Click the “Create a resource” button
    4-Search for “Translate” in the search box
    5- choose “Translator Text API”
    6- Click the “Create” button
    7- Fill the form and set the Region to Global then hit the create option
    Better set the region to “Global” . If it did not create for you, chose whatever region you like but you will need to set the region field on the plugin settings page to the chosen region
    8- Let it validate, then create Create
    9- once created, click on the home icon
    10- click on “All resources” then pick the APP we just created
    11- Click on keys button then copy the API key
    Now you can paste to the plugin settings page.
    If you have chosen a region, copy the location value to the region field on the plugin settings page below the API key

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #MICROSOFTTRANSLATOR #BINGTRANSLATOR #NEWSOMATICUPDATE

    My First Item is Live on AudioJungle! Cat Meow! 🐱🙀😻

    My first AudioJungle item was just approved! A cat meow SFX sound!
    🔎 RESOURCES MENTIONED 👇
    Cat Meow on AudioJungle ► https://1.envato.market/cat-meow

    🤔 ABOUT THIS VIDEO 👇
    I just submitted my first file on AudioJungle and I got approved for sale! Hurray! It was a fun project to make, the audio file did not require much work to be created. However, I don’t expect selling audio files to become my full time income any time soon. I just wanted to see how adding an item to AudioJungle works and how hard is it to be approved.
    If you want to know more about the uploading process of audio files to AudioJungle, let me know in the video comments section from below and I will create a video on this soon!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Great Tips For Getting More Out Of WordPress

    As anyone involved in the world of online publishing will gladly attest, WordPress can be an incredibly valuable tool. Unfortunately, not everyone has sufficient knowledge of this platform to really get optimal results. This article is meant to provide useful information for anyone interested in getting great results with WordPress.

    Make sure your sidebar is not too cluttered. The sidebars on most WordPress blogs are a chaotic mess, full of social media icons and ads and links. Prioritize what goes in your sidebar. Make sure visitors to your blog don’t have to search for anything they might be looking for.

    Keep your permalinks clean and understandable. That means you should look at the permalink box every time you put up a new post. Does the title in the URL make sense? Does it help from an SEO standpoint? If not, click on it and alter it until it is perfect.

    WordPress is full of options, features and tools that you can use to improve your blogging site. For instance, clicking on the button called KITCHEN SINK provides you with many options with regard to formatting and importing that can help you to customize your posts. SCREEN OPTIONS is another tab you are likely to see on the admin pages. Use that to control all kinds of formatting elements.

    Use your footers wisely. People often scroll to the bottom of a page to find out who runs the site, how to contact the owner or to see how fresh the content is based on a copyright date. You can even include a short biography or other information you feel is pertinent.

    Get rid of the special characters in your post URL’s. These characters can make things a real hassle. Use keywords and short URLs.

    Make sure you have a unique greeting. That makes for a better connection with visitors, since you will be able to personalize a message. A possible plugin to use is WP Greet Box; using this will make the things feel less robotic.

    If you want a post to stay at the top of the page, there is no need to set it’s date way in the future any longer. Instead, go to the post and click on Edit under Visibility. Choose the option which allows you to make the post sticky and enjoy!

    Use an internal linking plugin to connect your posts together, giving the reader more content to enjoy on your site. These plugins add lists between three and five links beneath the posts based on your tag’s relevancy to each post.

    So, what is the difference between tags and categories and why should I care? Categories are broad and house many posts which fall into the same genre, such as “cleaning tips”. Tags are more targeted, detailed words which describe what is in the content of a post, such as “removing blood stains” or “getting out grass stains”.

    To keep tabs on comments, you don’t need to visit each post separately. Instead, use your dashboard’s comments section to see what has been posted recently. You should check this page daily so that you know what people are saying and can reply if anyone requests more information or asks a question.

    Write blog posts in advance and then schedule them to be posted later. You can easily schedule the publication of your posts regardless of where you are. Find the Publish option from your Edit screen. If you choose to publish immediately, all of your blog posts will be published the minute you submit them. Input the military time, day, month, and year that you want your post to be published. Pick OK. When your screen shows “Schedule For”, check this option and then hit the “Schedule” option if it is right.

    There are quicker ways to add a header to your post than using the menu. You should use keyboard shortcuts instead. Press Ctrl and single number from one to six for several options. This will save you time if you’re constantly using headers.

    Do you have too much going on with the functions in WordPress? You can easily remedy this by closing out anything that is getting in your way. Click Screen Options. Click this and you will see a drop-down menu. This lets you choose the boxes you want to see.

    If you want to improve traffic to your own domain, you should host your WordPress blog in your web account instead of using WordPress.com as the host. When you install WordPress yourself, you have more control over what features you can install and customize. Any visitor will be counted as traffic in your domain and not in WordPress.com’s domain.

    When linking internally, you don’t have to enter your domain name into the URL field. Instead, just include the information which comes after the first /, such as /index.html. Don’t forget to also insert an SEO keyword-rich title so that you can get even more bang for your search rank.

    Try installing a caching plugin in your WordPress site. There are many out there, but a popular one is W3 Total Cache. This plugin simply caches the website and keeps it from reloading each time a page is reloaded. This makes your site faster. It speeds things up because every file isn’t being called every time a page reloads.

    Highlight comments that are made by the post’s author. Users tend to ask questions and write concerns in the comments section. With all of the comments in this area, you may not even see questions that have been asked. Be sure an author’s comments are highlighted in a contrasting color. Using this method will make the comment section easier to read.

    Join an online forum full of WordPress users. This way you can brainstorm ideas and get suggestions for your site. People are going to be happy to help you avoid their own WordPress mistakes. Just do a little reading to get some information, and you’ll find that a good forum is better than buying a lot of books.

    The potential that WordPress offers bloggers these days really is boundless. The key, however, to really making it work well is to acquire a good amount of knowledge before attempting to put it to use. Hopefully this article has provided a terrific starting point for those interested in producing great blogs.

    How to Boost your WordPress site? Good Solid Advice About WordPress That Anyone Can Use

    Have you been interested in starting a great-looking blog, but are unsure of how to begin? WordPress has everything you need. With WordPress, you’ll be able to create a blog or website quickly and easily. Keep reading to learn all about WordPress.

    Choose a website design that is individualized for your WordPress site. While using something that others already have up is simple, it doesn’t create a great first impression of your site. It is important to create a site that shows the individuality of your business.

    When uploading images, use alt and title text. This allows you to add words to your images. This area is going to let you put in some great SEO keywords within your content, and they also let viewers see what you have on the site when they can’t access images.

    WordPress makes it easy for users to incorporate video blogging into their site. This might take some work, but you won’t regret it. A lot of web users are drawn to video blogging because of their personal visual preferences. Videos can convey things words cannot, so they are very useful.

    Delete comments or content that add no value to your site. This will help ensure that your site remains user-friendly. Use Akismet if you need a plugin to do this.

    Simplify your URL by eliminating special characters. This makes it harder for search engine spiders to index your site, so you should get rid of them. You should also shorten all URLs so that they aren’t overwhelming to anyone coming to your site, so only include the key words.

    If you have a WordPress website, be sure to have the most engaging greeting possible. This can provide a more personalized experience for your visitors because it allows you to provide a message that has to do with how the user came to visit your blog. A possible plugin to use is WP Greet Box; using this will make the things feel less robotic.

    Make sure users can email themselves any of your articles at any time. Additionally, make it easy for your users to share with their Facebook and Twitter friends. You can use the Email plugin in WordPress to do this.

    Incorporate targeted descriptions in your site. When people are looking for your pages using a search engine, these are the first things they will encounter. Don’t overlook the importance of this fact. If you want more control, try using the SEO program, Scribe. You can edit such items to boost visitor counts.

    Make sure that you have the most recent version of any WordPress plugins you use. Plugins are a smart solution for making your site unique and highly functional. But as is the case with most software, they are subject to updates. If you don’t make sure you have the latest version, you may not be getting as much as possible out of the plugin.

    Connect posts together using internal linking plugins so that visitors can enjoy more content on the site. These plugins will let you add links to the bottom of your posts.

    Write blog posts in advance and then schedule them to be posted later. This allows you to post any time of the day, even when you’re not near a computer. You can do this by tapping into the Publish box on your edit screen. There, you will find “publish immediately.” Next to it is a place to input time and date. Input your time in military format. Choose the “OK” option. When a screen appears for the “schedule for”, check it on and press “Schedule” if the info is correct.

    You no longer have to manually accept comments. Rather, Akismet can do it on your behalf. It is possible for you to receive an email whenever a comment is posted, but unchecking manual approval is the best course of action so that authors need not have their comments approved prior to posting. If you fail to do this, you will not save yourself any time.

    Is it challenging to meet self-imposed deadlines for your posts? You can always write your article in advance and post it when you choose. You have the choice when creating your post for publication time. So, write in advance and line up your posts in order to have them published at a regular interval.

    When choosing a website header, avoid the drop-down menu. Keyboard shortcuts are much quicker. Press CTRL and a number from one to six to choose your option. That will save a great deal of time if you’re someone who often uses headers.

    As you search for plugins, make certain to read reviews. Keep in mind that everyone who can code can create plugins. You do not want to use a plugin that has many reported bugs and flaws. You can usually use reviews to see which plugins are good.

    If you want to use a new host for your blog, pick one that offers installation tools. That will make it possible for you to add WordPress to your site right away. Using one of these tools will save you the trouble of creating your own individual database. A good host will create a blog domain on your behalf and a database to go with it.

    Turn on the comments for your posts. You can learn more about people visiting your site, and it will give users a community feeling. Different plugins can help you weed through and figure out which are the “real” comments and which are just spammers.

    Experiment with a number of blogging platforms. Do you dislike WordPress’s dashboard? Try a program such as Windows Live Writer. There are a lot of tools that work well with WordPress and make blogging more efficient. Give a couple of them a try to figure out which one is most effective for you.

    Both corporations and small business owners use WordPress to build websites. It’s a blog publishing app that is easy enough to use by anyone who has little technical knowledge, and yet strong enough for pros who have a lot of experience. WordPress is a limitless tool that can improve your exposure.

    Why WordPress? Helpful Advice On Getting The Most From WordPress

    Are you interested in learning about WordPress? Many people are using WordPress to make websites and blogs. Learning how to use WordPress is not a difficult task. Professionals and newbies alike find it useful. Read on to learn some tips about getting better at WordPress.

    Choose an interesting and unusual design for your WordPress blog. It is tempting, but it is not going to help people think the best of you. It is important to create a site that shows the individuality of your business.

    Clean up long titles in the permalink. For instance, if you have a long phrase in a URL, that can seem very long. Rather than writing that, have your permalink be “discipline-tips-children” or something similar that captures your keywords.

    Make it a point to become familiar with all options and tools that are available for working with WordPress. You will get more choices when you do this. It will make your posts different than others. You should also see a Screen Options on the Admin page. Use that to control all kinds of formatting elements.

    Make sure you use Alt and Title. This lets you add text to your posts. You can put SEO phrases in these places, and those people that can’t see pictures on your site will know what should have been there.

    It is easy to use WordPress to add video blogging to the website. While you may need to prepare a little more, that makes things worth it. Visuals grab your readers’ attention. This can be a great tool to clarify what you want to say.

    Learn what you need to know before you begin. When you plan ahead, the better your site will be. Find out how to use SEO, how to make interesting content, and how you can use all that WordPress has to offer.

    Get rid of extraneous characters from URLs. These characters can make things a real hassle. Use short URLs that don’t baffle and confuse your readers.

    Your posts appear chronologically by default; however, you can change this. Change the date if you want to rearrange the list. Do this by opening a post. You’ll see the date in the top right. Change the date by clicking on it, and save the post to change the order of posts.

    Do you posts garner lots of comments? It may have become a challenge to sift through all of them. You can install a plugin that does this for you. Your site will have more visual appeal and be easier for visitors to navigate.

    Improve your position in the SERPs by spending time posting your pictures correctly. Always remember to add alternative text and title tags. If your readers “pin” you on Pinterest, that title will automatically show on their screen.

    Create the best greeting for the top of your WordPress website. Not only does this personalize your website, it welcomes guests based on how they found your blog. This will allow you to have a page that isn’t too “robotic” so that things can be accessed using the WordPress Greet Box plugin.

    Use targeted descriptions and titles. As a visitor arrives at your page, they will see both of these things almost immediately. That also makes them the most important. Use Scribe, from SEO software, to exert greater control over this on WordPress created sites. You can use this to make edits on your pages in order to bring more visitors.

    Only use WordPress plugins that you absolutely need. Plugins are great, but each one slows your load time a little bit more. That means your site could run slow, which will impact your search engine ranking. Slow websites tend not to rank as well as ones that have been optimized for performance.

    Using the most current version of WordPress is very important. Updates will eliminate vulnerabilities. If you use an older WordPress version, it opens your site up to attacks of malware. Always make sure to install the updates supplied by WordPress to keep your site secure.

    Do not go without proper backup when blogging. Backing up your blog frequently is essential. Use one of the plugins available such as XCloner for your WordPress. Back up the blog however you wish, but be sure to do it in multiple locations. Losing every part of your blog would truly be a nightmare.

    Try a linking plugin to help join your posts so that readers see a greater amount of content. With these plugins, up to five links appear following each post. These links are related to the tag relevance of the posts that appear on your site.

    Do you want to be able to post without issues? You can write it in advance and have WordPress post it for you at a preselected time. You can find this option when you open a new page to post. This will allow you to take care of things in advance.

    Are you over the amount of clutter you see on WordPress? You can get rid of a few of those boxes that are present. To do this, utilize the button called “Screen Options” located atop the WordPress window. Click this option, which enables you to choose which boxes you want.

    Use a variety of authoring tools. Are you not a fan of that dashboard on WordPress? Try Windows Live Writer, a third-party program for authoring blogs. A number of tools works well in conjunction with WordPress while providing increased efficiency. You have to try more than one to really know your personal preferences.

    Before building a site on WordPress, put a plan together. Write down everything you’d like your website to do and what visitors would enjoy finding. That lets you build a website that can accommodate all your needs so you don’t have to add stuff later.

    Once you learn WordPress, your blog is going to be astoundingly professional in appearance and ease of use. It’s pretty easy to get started. Do your research to find the best methods for building a great website. Look online, check out books at the library, and read online reviews. Take advantage of that.

    Walmartomatic – Walmart Affiliate Plugin v2 Update – new Walmart API – tutorial and setup steps

    The Walmartomatic affiliate plugin for Walmart was updated and working again. For detailed steps on how to set it up, watch this video!
    🔎 RESOURCES MENTIONED 👇
    Walmartomatic ► https://1.envato.market/walmartomatic
    Download OpenSSL ► https://slproweb.com/products/Win32OpenSSL.html
    Download Putty ► https://www.puttygen.com/download-putty
    Walmart IO Admin Console ► https://walmart.io/userdashboard/applicationAdmin
    Walmart’s Tutorial for getting keys ► https://walmart.io/key-tutorial
    Get your Impact Radius Affiliate ID ► https://impact.com/
    Older Tutorial Video (for rule setup part) ► https://www.youtube.com/watch?v=-UFuFTLb5Io />
    🤔 ABOUT THIS VIDEO 👇
    The Walmart affiliate API was changes, they removed support for the first version of it and created a new API: Walmart Affiliate API v2. This new API needs quite some tedious steps to be set up, however, I will go with you step by step in this video and show you each step you need to make to set up the plugin, together with the new Walmart Affiliate v2 API.
    You will need the resources linked above, check the video for the rest of the instructions!
    Let me know in the comments section of this video if you are stuck or have difficulties with the setup and I will be glad to help!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WALMARTAPI #WALMARTAFFILIATE #WALMARTAFFILIATEAPI #WALMART

    Ebayomatic updated – now it is using eBay official API to list products

    The Ebayomatic plugin was updated, it is able to list products using the official eBay API. For more details, watch this video!
    🔎 RESOURCES MENTIONED 👇
    Ebayomatic Plugin ► https://1.envato.market/ebayomatic

    🤔 ABOUT THIS VIDEO 👇
    The eBay Integration for WordPress makes earning an affiliate income effortless. All it takes is a single mouse click for automating your eBay affiliate store. Also, the eBay bulk data exchange API makes it easy enough for new sellers to upload their products to eBay effortlessly.

    The eBay Integration allows real-time inventory synchronization, which is made possible by the use of schedulers. This plugin takes care of the tedious tasks of updating inventory, products, and other related information.

    Launch and get going with your thoroughly connected and automated store with new and upgraded eBay Integration for WordPress.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #EBAYPLUGIN #WPEBAY #EBAYWP #EBAYWORDPRESS

    Soundomatic WordPress plugin updated – Import tracks from SoundCloud

    The Soundomatic WordPress plugin was updated – it is working again. It can import content from SoundCloud to WordPress.
    🔎 RESOURCES MENTIONED 👇
    Soundomatic Plugin ► https://1.envato.market/soundomatic

    🤔 ABOUT THIS VIDEO 👇
    Soundomatic Automatic Post Generator Plugin for WordPress is a breaking edge SoundCloud To WordPress post importer plugin that is ideal for auto blogging and automatic SoundCloud track publishing.
    It was updated recently to work with the latest SoundCloud changes and it is working again.

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SOUNDCLOUD #SOUNDOMATIC #WPSOUNDCLOUD #WPTRACKS

    Update to plugins: Working with the WordAI Spinner API’s New Version – High Quality Spun Content

    Check the latest update that landed for all my plugins! All are working with WordAI’s latest API version!
    🔎 RESOURCES MENTIONED 👇
    CodeRevolution’s Plugins ► https://1.envato.market/coderevolutionplugins
    WordAI Spinner ► https://wordai.com/?ref=h17f4

    🤔 ABOUT THIS VIDEO 👇
    The WordAi API is designed to be extremely simple and easy to understand. It returns also a high quality content, because of the Artificial Intelligence which powers the WordAI engine.
    All my plugins are now updated to work with the latest version of the WordAI API. Give it a try now!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WORDAI #CONTENTSPINNER #TEXTSPINNER #WORDAISPINNER

    How to create a Microsoft Translator API key from using Azure Control Panel

    1- Sign up for an Azure account here https://azure.com/

    2- After you have an account go to https://portal.azure.com

    3- Click the “Create a resource” button

    4-Search for “Translate” in the search box

    5- choose “Translator Text API”

     

    6- Click the “Create” button

    7- Fill the form and set the Region to Global then hit the create option

    Better set the region to  “Global” . If it did not create for you, chose whatever region you like but you will need to set the region field on the plugin settings page to the chosen region

    8- Let it validate, then create Create

    9- once created, click on the home icon

    10- click on “All resources” then pick the APP we just created

    11- Click on keys button then copy the API key

     

    Now you can paste to the plugin settings page.

    If you have chosen a region, copy the location value to the region field on the plugin settings page below the API key

     

    YouTube mistakenly removed ❌ one of my videos because of harmful and dangerous policy violations❗

    One of my most popular videos was taken down today mistakenly by YouTube algorithms, because it falsely detected a policy violation in it!
    🔎 RESOURCES MENTIONED 👇
    The video which was taken down ► https://www.youtube.com/watch?v=tMCVp8fGoNk
    Minute of the video which was detected as a policy violation ► https://youtu.be/tMCVp8fGoNk?t=232

    🤔 ABOUT THIS VIDEO 👇
    So today I woke up and saw an unusual email from Google, stating that one of my videos was detected to go against the community guidelines of YouTube and it was taken down because of this and my channel got a warning.
    I knew that this must be a mistake, because the video was promoting an Envato Elements one month free subscription, which was detected by YouTube bots as an illegal way to gain access to Envato Elements. But the truth is, that this coupon is a fully legal and accepted way to get one month free of Envato Elements. The coupon was created by Envato and given away to their affiliates, so we can promote their service, and in exchange, they give users who sign up, one month for free for Envato Elements.

    So, I appealed to this decision and after an extremely short wait time (around 3 minutes), my appeal was granted and my video was put online again. Also, my channel got the warning removed, it is clean and strike-free again. Phew!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBEPOLICY #POLICYVIOLATION #VIDEOTAKENDOWN #YOUTUBEREMOVEDYOURVIDEO

    Automatic Video Creator plugin update: Show last image until audio ends

    The Automatic Video Creator plugin was updated, now you will have better control over video length for longer audio files.
    🔎 RESOURCES MENTIONED 👇
    Automatic Video Creator ► https://1.envato.market/videocreator

    🤔 ABOUT THIS VIDEO 👇
    A new update landed for the Automatic Video Creator plugin, which is able to create videos for posts on your WordPress site, based on images and music or audio which is embedded in the content of the posts you publish. Simply add images and music to your posts and automatically create videos from them, which will be automatically embedded in the content of the post.
    The latest update will allow you to set the length of the video based on audio file duration, you will be able to make the video last until the audio finishes. The last image will be shown until the music stops.
    Check the plugin here: https://1.envato.market/videocreator

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #AUTOMATICVIDEO #AUTOVIDEOCREATOR #VIDEOFROMIMAGES #IMAGESTOVIDEO

    Scraping JavaScript rendered content from brightside.me – using Crawlomatic and HeadlessBrowserAPI

    WARNING: images used in the content of brightside.me are copyrighted and are illegal to be copied. This video is only for demonstration purposes.
    This is an advanced tutorial showing how to scrape JavaScript rendered content using the Crawlomatic plugin and HeadlessBrowserAPI.
    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic
    HeadlessBrowserAPI ► https://headlessbrowserapi.com/

    🤔 Settings I used in the Crawlomatic plugin for correct scraping 👇
    FOR SINGLE SCRAPING:
    Scraper Start (Seed) URL: https://brightside.me/inspiration-health/10-daily-habits-that-can-make-deodorant-less-effective-802066/
    Content Scraping Method To Use: Puppeteer (HeadlessBrowserAPI)
    Headless Browser Wait Before Rendering Pages (ms): 5000
    Strip HTML Elements by Tag Name: svg
    Content Query Type: XPath/CSS Selector
    Content Query String: //*[@data-test-id=’article-content’]
    Strip HTML Elements by XPATH/CSS Selector: //*[@data-adunit-started=’true’]

    FOR SERIAL SCRAPING:
    Scraper Start (Seed) URL: https://brightside.me/
    Do Not Scrape Seed URL: checked
    Seed Page Crawling Query Type: XPath/CSS Selector
    Seed Page Crawling Query String: //*[@data-test-id=’title-link’]
    Content Scraping Method To Use: Puppeteer (HeadlessBrowserAPI)
    Headless Browser Wait Before Rendering Pages (ms): 5000
    Strip HTML Elements by Tag Name: svg
    Content Query Type: XPath/CSS Selector
    Content Query String: //*[@data-test-id=’article-content’]
    Reverse Crawling Order: checked
    Skip Scraping Post If Below Content Query Is Not Found: Checked
    Strip HTML Elements by XPATH/CSS Selector: //*[@data-adunit-started=’true’]

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CRAWLOMATIC #HEADLESSBROWSERAPI #SCRAPING #CRAWLING

    How to Connect to Your Rocket.net Sites Using SSH

    This video will show you how to connect to virtual machines from rocket.net, using SSH connection.
    🔎 RESOURCES MENTIONED 👇
    Rocket.net signup ► https://rocket.net/?ref=szabolcsistvankisded />Download Putty ► https://www.putty.org/

    🤔 ABOUT THIS VIDEO 👇
    SSH or Secure Shell, is a secure protocol for connecting to a remote server. To establish an SSH connection, you will need an SSH client app like PuTTY.
    In this guide, you will learn how to use PuTTY SSH terminal to connect to your hosting account or to a VPS server. That way, you can access and manage your remote machine by executing various commands.
    How to Download PuTTY
    PuTTY is most commonly used on Windows, however, it is also available on Linux and Mac. Here is how you can get the putty download on different operating systems.
    Download the latest version of PuTTY SSH from the official website. After that, install it on your computer. It’s as simple as that: https://www.putty.org/
    After this, you can check the tutorial video from above and follow it to connect to your rocket.net website using SSH!

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SSH #ROCKETNET #ROCKETNETSSH #SSHCONNECTION

    NewsomaticAPI update by popular request: Show Remaining API Calls for Today, for Your API Key

    NewsomaticAPI was updated, now it is displaying remaining API calls for today (by popular request)! If you want more details, watch this video!
    NewsomaticAPI ► https://newsomaticapi.com/
    API Documentation ► https://www.newsomaticapi.com/api-documentation/
    Newsomatic (WordPress plugin which uses the API) ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    The NewsomaticAPI is free to use for anyone who has a valid purchase code for the Newsomatic plugin.
    There will be a 500 API requests / day limit, if you wish to get more API calls for your API key, please contact us at support@coderevolution.ro and we can provide payed plans to increase this limit.
    Also, if you want to get an API key for other purposes, please contact me.
    Starting from today, the HeadlessBrowserAPI will tell you exactly how many API requests the API key you are using still has left for the current day.
    If you pass this limit, your API key will be rate limited and will not function until the current day passes.
    Check plans on NewsomaticAPI and limits, here: https://www.newsomaticapi.com/pricing/

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #NEWSOMATICAPI #APIRATELIMIT #NEWSAPI

    Envato Author Level 9 Reached – Sold Over 250k$ Worth of WordPress Plugins [Envato Elite Program]

    Check the latest update I got from Envato! I just reached Author Level 9 on Envato, I sold over 250k$ on CodeCanyon! Thank you for your support!
    🔎 RESOURCES MENTIONED 👇
    My WordPress Plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    Today I got an email from Envato telling me that I reached a new level as an author on CodeCanyon! Hurray!
    The Envato Elite program is Envato’s way of saying thank you to their community by recognizing and rewarding authors who have achieved a certain level of lifetime sales. I just passed 250k$ of sales on my plugins, this is why they are giving me a small reward. I will get 250$ as a reward for achieving this milestone on Envato.

    Using this video, I want to thank all you guys who supported me and my work, I am really grateful for allowing me to achieve this level. I will continue to strive and grind and go even higher on the Envato ranks! I will make more updates on this when time comes! 🙂

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    🔥 Envato Elements COUPON CODE 1 Month FREE Subscription (⏱Limited Time Offer) 🔥

    Get a FREE Envato Elements subscription! Watch this video to learn more!
    COUPON UPDATE – NEW VIDEO, CLICK: https://www.youtube.com/watch?v=Csq8GFn0s4M

    🤔 ABOUT THIS VIDEO 👇
    Envato Elements is a massive library of 2,378,369 premium creative assets and templates you can use to create stunning videos or websites. Elements assets include premium music, stock sounds, and templates for Premiere Pro, After Effects, and FXCP! You normally have to pay $33 per month to access Envato Elements, but with my coupon you can join Elements for FREE for your first month.
    You can cancel at anytime without penalty.
    That’s right, get your unlimited downloads of 2,378,369 Premium Creative Assets.
    To activate this offer, just click this link and the coupon will be activated:
    https://1.envato.market/envato-elements-free-coupon-1-month

    💥 Join this channel to get access to member only videos and PERKS 👇
    https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg/join

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ENVATOELEMENTS #ELEMENTS1MONTHFREE #ENVATOELEMENTSFREE #FREEENVATOELEMENTS

    How to Setup And Create Your Own Proxy Server for Free in Under 10 minutes?

    This video will show you how to set up your own proxy server in under 10 minutes. For details, watch this video!
    Step-by-step Guide ► https://coderevolution.ro/knowledge-base/faq/how-to-set-up-your-own-free-proxy-server/
    DigitalOcean VPS with 100$ Extra Credit ► https://m.do.co/c/78332a7b4ad2
    Crawlomatic WordPress Plugin (Scrape sites using your new proxy) ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    We have all heard the term “proxy”. It might sound like it’s some kind of portal to a new dimension from the Matrix movies, but it turns out it’s very real…and very useful! Especially when you scrape content from other websites and you don’t want to get detected and blocked!
    In this video, I will provide a step-by-step guide on setting up your own proxy server on a 5$ per month VPS server (however, if you prefer free, you can check also Google Cloud, which has some lower performance free alternatives for this).
    Ok, now lets go and check the video from above to get started building your first proxy server in no time!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #PROXYSERVER #PROXYSETUP #FREEPROXY #FREEPROXYSERVER

    YouTube Policy Change – Unmonetized Videos Will Also Show Ads!

    This is a quick heads-up video about a policy change that is coming to YouTube starting from 1st of June 2021. For details, check this video!

    🤔 ABOUT THIS VIDEO 👇
    Starting from June, YouTube will put ads on non-partner videos but won’t pay the creators.
    YouTube said in an update to its terms of service Wednesday that it has the “right to monetize” all content on its platform. As such, it will start putting ads on videos from channels not in its YouTube Partner Program, which shares ad revenue with creators.

    The move comes after Google reported a particularly strong third quarter for YouTube, which saw ad growth at $5.04 billion, up 32% from a year ago. It’s likely to increase revenues and margins for YouTube, but is sure to rankle creators who aren’t eligible to make money on the platform.

    Channels of any size from now on may see ads run on their videos as long as they meet its “Advertiser-Friendly Guidelines.” That means videos will have to meet basic standards to minimize content like inappropriate language, hateful material, or adult content, among other restrictions.

    What do you think of this change? Let me know in the comments from below! 👇

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBEADS #UNMONETIZEDCHANNEL #CHANNELADS #POLICYCHANGE

    How to set up your own Free proxy server?

    Let me show you a step-by-step process to set up a FREE proxy server using Squid Proxy on the latest Ubuntu server. The process should be fast and easy and as a result, you will get your own free proxy server up and running!

    Note: I have used Digital Ocean Cloud to deploy my proxy server. You can choose from many regions for your proxy setup. Also, you can get $100 free Digital Ocean credits from here.

    Follow the steps given below:

    Step 1: Login to the server and update the package list.

    sudo apt update -y
    

    Step 2: Install Squid Proxy server.

    sudo apt -y install squid
    

    Step 3: Start and enable squid service to start on system boot.

    sudo systemctl start squid
    sudo systemctl enable squid
    

    Step 4: Verify the squid service status. You should be seeing the “active” status.

    sudo systemctl status squid

    Squid Proxy Port

    By default, squid runs on port 3128

    You can check it using the following command.

    netstat -tnlp
    

    Now we have a working squid proxy server. Next important step is to configure the squid proxy based on your needs.

    Squid proxy configuration

    If you are setting up squid proxy for your production environment, you have to make sure all the proxy configurations are set as per your needs.

    The core settings of squid proxy are in /etc/squid/squid.conf

    Squid proxy port

    By default squid proxy runs on port 3128. If you are on cloud, make sure you allow 3128 in your firewall rules.

    Also, you can change the default 3128 port to a custom port by editing the following configuration in the squid.conf file.

    http_port 3128

    Proxying Internet Connectivity

    The primary use case for most of us have is to connect to the internet through a proxy server.

    If you want to connect to internet through your proxy, you need to configure ACLs (Access Control List) in your squid configuration.

    Enable Squid ACLs for Internet Connectivity

    By default, all the incoming connection to the proxy server will be denied. We need to enable few configurations for the squid server to accept connections from other hosts.

    Open /etc/squid/squid.conf file.

    vim /etc/squid/squid.conf

    Search for entry http_access allow localnet in the file. By default, it will be commented out. Uncomment it.

    Next step is to add ACLs to the squid config file /etc/squid/squid.conf. ACL for localnet has the following format.

    acl localnet src [source-ip-range]

    You can whitelist the source IP ranges in the following ways.

    1. Single IP [49.205.220.161]
    2. A range of IPs [0.0.0.1-0.255.255.255]
    3. CIDR range [10.0.0.0/28]
    4. To allow connection from any IP [0.0.0.1-255.255.255.255]

    Based on your requirements you can add the localnet acl. For example, in my use case, I had to whitelist my home network. I found my home network public address using Find My IP service and whitelisted that in the ACL as shown below.

    acl localnet src 49.205.45.67

    If you want to whitelist your private networks CIDR range, you can have the ACL like the following. Normally this kind of use cases comes when you set up a virtual network for your organization.

    acl localnet src 10.0.0.0/8

    Note: You can add your ACL in the config file under the default ACLs are present. If you search for,ACLs all you will find the ACL default section. If you specify a CIDR private range, make sure the proxy is in the same private network.

    Here is the ACL I added to my squid server.

    #Default:
    # ACLs all, manager, localhost, and to_localhost are predefined.
    #
    #
    # Recommended minimum configuration:
    #
    acl localnet src 49.205.45.67
    # Example rule allowing access from your local networks.
    # Adapt to list your (internal) IP networks from where browsing
    # should be allowed
    #acl localnet src 10.0.0.0/8    # RFC1918 possible internal network
    #acl localnet src 172.16.0.0/12 # RFC1918 possible internal network
    #acl localnet src 192.168.0.0/16        # RFC1918 possible internal network
    #acl localnet src fc00::/7       # RFC 4193 local private network range
    #acl localnet src fe80::/10      # RFC 4291 link-local (directly plugged) machines

    Test Proxy Connectivty

    To test the proxy connectivity for internet from your specified ACL source, you can use the following curl command syntax which should return a 200 OK response code.

    curl -x http://[YOUR-PROXY-IP]:3128 -I https://www.google.com

    Output would like the following.

    ➜ ~ curl -x http://134.209.77.172:3128 -I https://www.google.com
    HTTP/1.1 200 OK
    ......... (rest of info) .........

    Setting up your proxy server with basic username authentication:

    Here’s what I had to do to setup basic auth on Ubuntu 14.04

    Basic squid conf

    /etc/squid3/squid.conf instead of the super bloated default config file

    auth_param basic program /usr/lib/squid3/basic_ncsa_auth /etc/squid3/passwords
    auth_param basic realm proxy
    acl authenticated proxy_auth REQUIRED
    http_access allow authenticated
    
    # Choose the port you want. Below we set it to default 3128.
    http_port 3128
    

    Please note the basic_ncsa_auth program instead of the old ncsa_auth

    squid 2.x

    For squid 2.x you need to edit /etc/squid/squid.conf file and place:

    auth_param basic program /usr/lib/squid/digest_pw_auth /etc/squid/passwords
    auth_param basic realm proxy
    acl authenticated proxy_auth REQUIRED
    http_access allow authenticated
    

    Setting up a user

    sudo htpasswd -c /etc/squid3/passwords username_you_like
    

    and enter a password twice for the chosen username then

    sudo service squid3 restart
    

    squid 2.x

    sudo htpasswd -c /etc/squid/passwords username_you_like
    

    and enter a password twice for the chosen username then

    sudo service squid restart
    

    htdigest vs htpasswd

    For the many people that asked me: the 2 tools produce different file formats:

    • htdigest stores the password in plain text.
    • htpasswd stores the password hashed (various hashing algos are available)

    Despite this difference in format basic_ncsa_auth will still be able to parse a password file generated with htdigest. Hence you can alternatively use:

    sudo htdigest -c /etc/squid3/passwords realm_you_like username_you_like
    

    Beware that this approach is empirical, undocumented and may not be supported by future versions of Squid.

    On Ubuntu 14.04 htdigest and htpasswd are both available in the [apache2-utils][1] package.

    MacOS

    Similar as above applies, but file paths are different.

    Install squid

    brew install squid
    

    Start squid service

    brew services start squid
    

    Squid config file is stored at /usr/local/etc/squid.conf.

    Comment or remove following line:

    http_access allow localnet
    

    Then similar to linux config (but with updated paths) add this:

    auth_param basic program /usr/local/Cellar/squid/4.8/libexec/basic_ncsa_auth /usr/local/etc/squid_passwords
    auth_param basic realm proxy
    acl authenticated proxy_auth REQUIRED
    http_access allow authenticated
    

    Note that path to basic_ncsa_auth may be different since it depends on installed version when using brew, you can verify this with ls /usr/local/Cellar/squid/. Also note that you should add the above just bellow the following section:

    #
    # INSERT YOUR OWN RULE(S) HERE TO ALLOW ACCESS FROM YOUR CLIENTS
    #
    

    Now generate yourself a user:password basic auth credential (note: htpasswd and htdigest are also both available on MacOS)

    htpasswd -c /usr/local/etc/squid_passwords username_you_like
    

    Restart the squid service

    brew services restart squid
     

    HeadlessBrowserAPI Feature Update: Make Screenshots of Any Website

    The HeadlessBrowserAPI got update, now it is able to make dynamic screenshots of websites. For more details, check this video!
    Check HeadlessBrowserAPI ► https://headlessbrowserapi.com/
    Use it in the Crawlomatic plugin ► https://1.envato.market/crawlomatic
    Use it in the Echo RSS plugin ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇
    If you need to generate page previews, archive screenshots, or create thumbnails, this update will help you a lot, by using the HeadlessBrowserAPI to do the heavy lifting for you. The API will send you the resulting screenshot as a JPEG image.
    You will get perfectly rendered full size screenshots of any website. This service should not be expensive – Subscription Plans start at $15 per month!
    Snapshots are returned instantly as compact image URLs. Just make a request using the simple URL Structure, and let our API do the rest!
    Scraping doesn’t stop until your data is delivered in a structured, convenient format, delivering the jpg screenshot directly in the API response.
    The API is also integrated in two WordPress plugins, which can use it out of the box to scrape websites or to make screenshots of them. These are Crawlomatic and Echo RSS.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WEBSITESCREENSHOT #SCREENSHOTAPI #URLSCREENSHOT #URLSCREENSHOTAPI

    ⏰ GET NEW 9 Dollars Elements LIMITED Subscription COUPON CODE (⏱valid OCTOBER-NOVEMBER 2021) ⏰

    Join Envato Elements for only 9USD for the first month! Click the link below!
    Envato Elements for ONLY 9USD ► https://1.envato.market/9USDfirst

    🤔 ABOUT THIS VIDEO 👇
    Envato Elements only offers one individual subscription plan from which you can choose to subscribe on a monthly or yearly basis. Its price is usually fixed, however, my friends from Envato shared with me a coupon code which will grant you FULL access to Envato Elements for only 9 USD for the first month.
    It will be valid through May and June 2021 (with possible extensions, but I am not yet sure of this).
    Get Envato Elements individual plan from only $9 for the first month, that includes millions of creative digital assets, 50m+ additional stock photos, courses and tutorials, simple commercial licensing and you can cancel any time you want.
    Use this Envato Elements Discount and start saving!

    Envato Elements is a freelance designer or multimedia creator’s subscription founded in August 2016. New features and resources are constantly added to the Envato Elements library. Let’s look at some of the main features included with this subscription.
    You will get unlimited downloads for a single subscription fee!
    You want to focus on great design, not worry about adding credits or managing download limits. With unlimited downloads, you’re free to push your creative boundaries and try new things.
    It is powered by a community of independent designers.
    Envato knows you want consistently high-quality and unique assets for your projects. And the best way to do that is to tap into a community of talented designers who are passionate about what they do.
    It provides one simple commercial license for all content!
    Envato wants to make it easy for you to do the right thing. That’s why they came up with one license that gives you broad commercial rights and applies to everything. So you can use items with confidence in all your projects.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/=

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ENVATOELEMENTS #ELEMENTSCOUPON #ELEMENTSDISCOUNT #9DOLLARSUBSCRIPTION

    [Tutorial] pytranscribe – a free tool to generate transcripts or subtitles for audio or videos

    These tips will help you to generate automatic transcription/automatic subtitles for audio/video files through a free and user friendly tool.
    🔎 RESOURCES MENTIONED 👇
    pyTranscriber ► https://github.com/raryelcostasouza/pyTranscriber

    🤔 ABOUT THIS VIDEO 👇
    pyTranscriber is an application that can be used to generate automatic transcription / automatic subtitles for audio/video files through a friendly graphical user interface. The hard work of speech recognition is made by the Google Speech Recognition API using Autosub.

    The app by default outputs the subtitles as .srt and the transcribed audio on the user interface as well as .txt files. SRT Files can be edited using Aegisub. Internet connection is REQUIRED because it uses the Google Cloud Speech Server for the job, in the same way as the Youtube Automatic Subtitles.

    IMPORTANT: As speech recognition technology is still not fully accurate, the accuracy of the result can vary a lot, depending on many factors, mainly the quality/clarity of the audio. Ideally the audio input should not have background noise, sound effects or music. If there is a single speaker and he speaks in a clear and slow speed seems that the recognition is much more accurate. Sometimes, under ideal/lucky conditions it is possible to get a accuracy result close to 95%.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #AUTOGENERATESUBTITLES #VIDEOSUBTITLES #AUTOVIDEOTRANSCRIPT #VIDEOTRANSCRIPT

    Youtubomatic update: autocomplete keyword suggestion added to search query input fields!

    This video will show you details about the latest update for Youtubomatic, watch this video!
    🔎 RESOURCES MENTIONED 👇
    Youtubomatic ► https://1.envato.market/youtubomatic
    Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    Query Suggestions is a search experience that displays a list of possible queries that your users can select from as they type. This pattern exists on popular sites such as Google and Amazon, so users expect it from a search experience.
    Query Suggestions help users find queries that are guaranteed to return results. They help users type less, which is especially impactful on mobile.
    The term “query suggestions” refers to the textual suggestions themselves. The terms “autocomplete” or “dropdown” refer to the UI that your users use to interact with suggestions. An autocomplete could display search results rather than suggested searches.
    Query Suggestions are different from search results. Query Suggestions are only suggestions of better queries. When typing “smartphone”, a user may receive a suggestion to pick a more precise query, such as “smartphone apple” or “smartphone iphone xs”, which would retrieve more specific results.
    This feature is added today also to the Youtubomatic plugin (before, it was added to the Newsomatic plugin also). Check it here: https://1.envato.market/youtubomatic

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #KEYWORDSUGGESTIONS #AUTOCOMPLETE #SEARCHQUERYSUGGESTIONS #KEYWORDSUGGESTIONS

    Panopticon Search Engine Plugin Update: Display search results in an iframe, directly on your site

    The Panopticon plugin was updated, it can display search results in iframes! For details, watch this video!
    🔎 RESOURCES MENTIONED 👇
    Panopticon Search Engine Plugin ► http://1.envato.market/panopticon !

    🤔 ABOUT THIS VIDEO 👇
    The default search feature within WordPress often fails to find relevant results. You can enrich search results of your site adding your own search engine to it, using the Panopticon plugin.
    It consists of the following benefits:
    a reliable and powerful search feature
    that can search any website on the internet
    run from your own WordPress site
    in a speedy way
    with no maintenance or updates needed

    Also, starting from now, you will be able to display search results directly on your site, in an iframe. This will allow you to continue to show your ads or affiliate links, even after people click on the search results you show them when searching.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WPSEARCHENGINE #WPSEARCH #SEARCHENGINE #PRIVATESEARCHENGINE

    Instamatic – WordPress Instagram AutoBlogging Plugin Updated and Working Again!

    The Instamatic plugin was updated, now it is working again and able to import content from Instagram to your WordPress site!
    🔎 RESOURCES MENTIONED 👇
    Instamatic ► https://1.envato.market/instamatic

    🤔 ABOUT THIS VIDEO 👇
    The Instamatic plugin is now updated, it is up and running again! Instagram makes tons of changes to their system over and over again, which makes the plugin not be able to post content when major changes hit the Instagram platform.
    However, I keep it updated, to make it work after these changes. This happened again now, the plugin was updated, and it is working with latest Instagram changes!

    Instamatic is a flexible WordPress Plugin which will generate WordPress posts from Instagram content. This plugin comes with built in options that you can use to generate different posts as you need.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #INSTAMATIC #AUTOBLOGGING #AUTOINSTAGRAMBLOG #PASSIVEINCOME

    DeepL Free API Supported In My AutoBlogging Plugins

    Good news, the Free version of the DeepL API is also supported in my plugins! For more info, watch this video!
    🔎 RESOURCES MENTIONED 👇
    DeepL ► https://www.deepl.com/pro/change-plan?cta=header-prices#developer
    My AutoBlogging Plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    All my plugins were updated, now they are able to use also the free version of the DeepL translation API, which is an alternative to the Google Translate API. The DeepL API is an interface that allows other computer programs to send texts to our servers and receive high-quality translations. This opens a whole universe of opportunities for developers worldwide: Any translation product you can imagine can now be built on top of DeepL’s superior translation technology.
    The DeepL API is accessible with either the DeepL API Free or the DeepL API Pro plan. The DeepL API Free plan allows developers to translate up to 500,000 characters per month for free. For more advanced needs, the DeepL API Pro plan allows unlimited translation, maximum data security, and a prioritized execution of translation requests.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #DEEPL #DEEPLAPI #DEEPLFREE #DEEPLTRANSLATOR

    Update to all plugins: Array Type Post Custom Fields Support Added for All my Plugins

    Great news! All my plugins will be able to create array type custom fields for created posts! For more info, watch this video!
    🔎 RESOURCES MENTIONED 👇
    Check my plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    A new update landed for all my plugins, you can also create ARRAY type custom fields for generated posts. This update will be very useful to make my plugins work with some other custom plugins which create array type custom fields for posts or custom post types. This will boost the integration potential of my plugins, making them work with any other plugin out there!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #CUSTOMFIELDS #WORDPRESSCUSTOMPOST #WORDPRESSDEVELOPMENT

    Crawlomatic plugin feature update: Use CSS Selectors to select content that will be scraped

    The Crawlomatic plugin was updated, now it supports CSS Selectors to pinpoint the part of the content you wish to scrape! More info in this video!
    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    The Crawlomatic plugin got a great new update today! It is able to also import content from the scraped HTML pages by CSS Selectors. This is an extremely powerful feature, that will give you huge control over the scraped content selection. Check the video for details on how you can get these selectors, using your Chrome Browser!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #CRAWLOMATIC #WPSCRAPER #CSSSELECTOR

    Regular License vs Extended License – Which License Do I Need for CodeCanyon/ThemeForest Purchases?

    Regular or Extended License? Let me tell you details about which license do you need, if you are purchasing an item from CodeCanyon or ThemeForst!
    🔎 RESOURCES MENTIONED 👇
    Licenses Basics ► https://codecanyon.net/licenses/standard
    Official Details About Licenses ► https://codecanyon.net/licenses/terms/extended
    Licenses FAQ ► https://codecanyon.net/licenses/faq
    Licensing Questions Answered ► https://help.market.envato.com/hc/en-us/articles/115005593363-Do-I-need-a-Regular-License-or-an-Extended-License-
    My Quora Answer About Envato Licensing (Basic/Extended License) ► https://www.quora.com/Another-CodeCanyon-seller-states-I-cant-earn-money-with-an-item-he-sells-unless-I-buy-an-extended-license-What-other-reason-could-I-have-to-buy-the-regular-version

    🤔 ABOUT THIS VIDEO 👇
    Well, as a CodeCanyon developer, I get similar questions often. I must admit, licensing on CodeCanyon can be sometimes confusing. I have a page dedicated on my website just for highlighting the differences between licenses: What am I allowed to do if I purchased an ‘Extended License’ for your plugins/bundles? | CodeRevolution Knowledge Base
    In simple terms, the main difference is that under the Regular License, your end product (incorporating the item you’ve licensed) is distributed for free, whereas under the Extended License your end product may be sold.
    However, unfortunately things are not so simple as stated above, here are some details about the “Extended License”:
    It essentially allows an end-user, via their end product (incorporating the item he bought) to sell their end product. The customer can combine the Item with other works and make a derivative work from it. The resulting works are subject to the terms of this license.
    It does not, at all, allow for the distribution of the purchased items in any form. The customer can’t re-distribute the Item as stock, in a tool or template, or with source files.
    The customer can’t do this with an Item either on its own or bundled with other items.
    The customer can’t re-distribute or make available the Item as-is or with superficial modifications.
    The customer is free to sell and make any number of copies of the single End Product inside of the product or service he creates using it (in which he incorporates the item) – but that’s it.
    Whilst the customer can modify the Item and therefore delete components before creating their single End Product, they can’t extract and use a single component of an Item on a stand-alone basis.
    The customer also can’t permit an end user of the End Product to extract the Item and use it separately from the End Product.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #EXTENDEDLICENSE #REGULARLICENSE #EXTENDEDVSREGULAR #WHICHLICENSETYPE

    Playomatic Update – Fix Importing and Use WayBack Machine to Get Content

    The Playomatic plugin just got updated and fixed, it is using now a new technology to get its content! For details, watch this video!
    🔎 RESOURCES MENTIONED 👇
    Playomatic ► https://1.envato.market/playomatic

    🤔 ABOUT THIS VIDEO 👇
    The Playomatic plugin just got a new update today – it is able to work again and prevent apkmirror recent security restrictions from making the plugin unfunctional. So, the plugin will work again and it is able again to extract apk related content for your websites!
    Give it a try now!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #APK #PLAYOMATIC #PLAYSTORE #APKPLUGIN

    Crawlomatic Update: Now the Visual Selector can use Puppeteer/PhantomJS/Tor/HeadlessBrowserAPI

    Great news for today! Crawlomatic just got Updated: Now the Visual Selector can use Puppeteer/PhantomJS/Tor/HeadlessBrowserAPI
    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic
    HeadlessBrowserAPI ► https://headlessbrowserapi.com/

    🤔 ABOUT THIS VIDEO 👇
    A new update is announced today for the Crawlomatic plugin – the Visual Selector can be used starting from now together with Puppeteer/PhantomJS/Tor/HeadlessBrowserAPI – to select the part of the HTML page from where you want to set the plugin to extract content.
    This is a great update, especially for enthusiasts who use the above headless browsers (or the HeadlessBrowserAPI) to scrape JavaScript rendered content to WordPress.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CRAWLOMATIC #HEADLESSBROWSERAPI #VISUALSELECTOR #WPSCRAPER

    Echo RSS Plugin Update: Visual Content Selector Feature Added!

    The Echo RSS plugin was updated, now it is much easier to get full content from imported posts! No need to have any HTML knowledge.
    🔎 RESOURCES MENTIONED 👇
    Echo RSS ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇
    The Echo RSS Plugin got a much needed update – it is able to use visual content selectors to highlight the area of posts which you need to extract from articles scraped from RSS feeds.
    The usage of the plugin just got much easier, give it a try now. You will not need to have any HTML knowledge to use it at its fullest.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ECHORSS #ECHORSSPLUGIN #ECHORSSUPDATE #RSSFEEDPLUGIN

    Newsomatic Highly Requested Update: Use Visual Selector To Select The Source of The Full Content

    The Newsomatic plugin was updated with a highly requested feature! It is able to use a visual content selector, so full content importing will be easier.
    🔎 RESOURCES MENTIONED 👇
    Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    The Newsomatic plugin got a very requested update – many of you guys suggested to add this feature to the plugin – Visual Selector when getting the full content of posts.
    Until now, getting selecting the source of full content was possible only if you had some HTML knowledge, because HTML classes or ids needed to be entered to make this selection. However, in this latest update, the plugin will allow a very user friendly visual selector interface to make full content importing much easier.
    Give this new feature a try, you will surely enjoy it!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #FULLCONTENT #VISUALSELECTOR #WORDPRESSPLUGIN #NEWSOMATIC

    Youtubomatic – YouTube AutoBlogging WordPress Plugin – Updated Tutorial Video 2021 [Part 1]

    This video is the first part of the Youtubomatic tutorial, showing you how to use and configure the plugin. For details, watch this video!
    🔎 RESOURCES MENTIONED 👇
    Youtubomatic ► https://1.envato.market/youtubomatic

    🤔 ABOUT THIS VIDEO 👇
    If you want to use the Youtubomatic plugin to automatically import YouTube videos to your WordPress site, watch this video and you will be able to learn how to set it up and use it. Check the video for details!

    The Youtubomatic plugin is the best Youtube autoblogging plugin for WordPress. It allows you to add targeted videos to your WordPress blog on complete autopilot to ensure your blog stays fresh and updated at any time. Automatic posts created by the module include the full video embedded into your post as well as a short description, details on the uploader, the video rating and a screenshot.

    Add Comments: This YouTube autoblogging plugin can add comments to your automatic blog posts. Automatic comments help make your blog look more natural and can entice other visitors to join the discussion.

    International Autoblogging: Besides English the Youtubomatic plugin can create automatic content in the following languages: German, French, Italian, Spanish, Indian, Chinese, Japanese, Dutch, Taiwanese, Russian and many more.

    Flexible and Customizable: Youtubomatic’s powerful template system allows you to make your autoposts like like you want. Including your own text, branding, ads or affiliate links is super easy as well!

    Content For Any Keywords: YouTube contains a wide range of content related to almost any topic. In Youtubomatic you can autopost videos for an unlimited number of keywords!

    Legal Content: Powered by the official YouTube API to bring you great content you can use on your sites. Please note you need to register for a free YouTube API account to use this plugin.

    Post YouTube Videos To WordPress
    Videos are one of the most trendy things on the web right now. With the Youtubomatic plugin you can easily add videos for any topic to your weblog on total autopilot. The demo will show you how the results produced by this YouTube WordPress plugin look.

    Add YouTube videos that might interest your readers to your weblog without lifting a finger.
    Retrieves up to 100 YouTube comments and adds them as comments to your blog posts.
    Editable module template: Specify exactly how posts will look on your blog, include the description, a video thumbnail, the rating or more! See all available template tags
    Over 30 languages available! Limit the videos that are posted to a specific language or simply include all of them!
    Many other options, including safe search settings.
    Check details in the above video!

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBEAUTOBLOG #YOUTUBOMATIC #WPYOUTUBE #YOUTUBEVIDEOBLOG

    [March Sale Ending] This is the last chance to grab the 40% discount for plugins

    Grab the last chance (during these last couple of hours of item discounts) for CodeRevolution’s plugins from Envato. For details, watch this video!
    🔎 DISCOUNTED OFFERS FROM MY PLUGINS 👇
    Newsomatic ► https://1.envato.market/newsomatic
    Echo RSS ► https://1.envato.market/echo
    FBomatic ► https://1.envato.market/fbomatic
    Youtubomatic ► https://1.envato.market/youtubomatic
    Crawlomatic ► https://1.envato.market/crawlomatic
    WP Setup Wizard ► https://1.envato.market/WPSetupWizard
    URL to RSS ► https://1.envato.market/customcuratedrss

    🔎 CHECK ALL DISCOUNTED PLUGINS FROM CODECANYON 👇
    CodeCanyon 2021 March Sale ► https://1.envato.market/EnvatoPromotions
    ThemeForest 2021 March Sale ► https://1.envato.market/EnvatoThemePromotions

    🔎 GET 9USD COUPON FOR ENVATO ELEMENTS 👇
    Envato ELEMENTS 9USD Coupon ► https://1.envato.market/Elements-9USD-December2020

    🤔 ABOUT THIS VIDEO 👇
    Envato March Sale is nearly ended! Only a couple of hours left from when this video will be going live!
    Check the links from above and grab your last chance to profit from the plugin discounts from this March!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    🔥 Don’t Miss Envato’s 40% Off Sale of March 2021 🔥

    Envato’s 40% Off Sale campaign just launched and it will last only until 26th of March, so go ahead and check the deals, don’t miss them!
    🔎 DISCOUNTED OFFERS FROM MY PLUGINS 👇
    Newsomatic ► https://1.envato.market/newsomatic
    Echo RSS ► https://1.envato.market/echo
    FBomatic ► https://1.envato.market/fbomatic
    Youtubomatic ► https://1.envato.market/youtubomatic
    Crawlomatic ► https://1.envato.market/crawlomatic
    WP Setup Wizard ► https://1.envato.market/WPSetupWizard
    URL to RSS ► https://1.envato.market/customcuratedrss

    🔎 CHECK ALL DISCOUNTED PLUGINS FROM CODECANYON 👇
    CodeCanyon 2021 March Sale ► https://1.envato.market/EnvatoPromotions
    ThemeForest 2021 March Sale ► https://1.envato.market/EnvatoThemePromotions

    🔎 GET 9USD COUPON FOR ENVATO ELEMENTS 👇
    Envato ELEMENTS 9USD Coupon ► https://1.envato.market/Elements-9USD-December2020

    🤔 ABOUT THIS VIDEO 👇
    Envato March Sale is here!

    Envato March Sale that offers 40% flat off on selected items from ThemeForest, CodeCanyon, VideoHive, AudioJungle and GraphicRiver just kicked off. 2021’s selected items is available on sale from 12PM of 22nd March 2021 and until 12PM of 26th March 2021 (Australian Eastern Daylight Time) — a total of 4 days.

    Australian powerhouse Envato pretty much dominates the WordPress industry with their marketplaces, which allow digital creatives (coders, graphic designers, musicians, photographers, videographers etc) to sell their products to WordPress users.
    Each marketplace covers different niches of products: ThemeForest for themes or CodeCanyon for plugins. Browsing through over 9 millions digital assets you can use in your own projects will surely get your creative juices flowing.

    Having built up a position of such power, they can charge quite high prices and their best-selling WordPress themes and plugins are hardly ever discounted, so, even the original sale, including over a thousand popular items was a surprise, but this morning they added 17 more themes that, as far as we know, have never been discounted.
    This is the sort opportunity we all use to build our toolbox of digital assets, bulking up the range of designs and services we can offer our clients.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    How Do I Come Up With New WordPress Plugin Ideas? I Reveal My Secret Method!

    Question of the Day: How I get the ideas for new plugins that I implement?
    If you want to know the answer, watch this video!
    🔎 RESOURCES MENTIONED 👇
    My WordPress Plugin Portfolio ► https://1.envato.market/coderevolutionplugins
    WordPress subreddit ► https://www.reddit.com/r/Wordpress/
    WordPress Development subreddit ► https://www.reddit.com/r/ProWordPress/
    WordPress Plugins subreddit ► https://www.reddit.com/r/WordpressPlugins/
    WordPress Themes subreddit ► https://www.reddit.com/r/WordPressThemes/

    🤔 ABOUT THIS VIDEO 👇
    Some of you guys asked me how do I manage to get new ideas for plugins that I create. To be honest, I understand why this question popped up, I must admit that it is really hard to find new ideas for new plugins.
    However, I have a trick up my sleeve to make this process easier.
    The way I select what to do next is simply by listening to the people who get in touch with me. Many connect with me asking for some new plugins or features and I select the most requested one to be created next.
    You can also do this by posting on Reddit in a WordPress community that you are a WordPress developer looking for ideas for your next plugin, people will connect with you and ask for plugins they need. You can choose the most popular ideas from there.
    Good luck using this method to get your next plugin idea!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions!

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, I publish new videos regularly (each time I have to tell you about something new)! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #PLUGINIDEAS #NEWPLUGINIDEAS #PLUGINIDEA #SECRETMETHOD

    I made a decision: I am changing the new video publishing schedule for this YouTube channel

    Let me tell you about a new change that is coming to this channel. For more details, watch this video!
    🔎 RESOURCES MENTIONED 👇
    My WordPress Plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    If you want to aim for success on YouTube, you need regularity. Until now, I committed myself to uploading a new video every day (at 7 PM GMT) and stuck to it. However, I feel that it is time now to change this schedule. I need more time to work on my business and because of this, I will be creating new videos only when I have something important to tell you (not necessary daily videos, but only when new stuff pops up in my mind).
    I hope this will drive up the quality of videos uploaded to this channel and will also make you more satisfied with the content I am providing to you.
    So, see you in the next video!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBEUPLOADSCHEDULE #CODEREVOLUTION #CHANNELUPLOADSCHEDULE #UPLOADSCHEDULE

    Update: All my Plugins are WordPress 5.7 Compatible!

    Quick update on WordPress 5.7 compatibility for my plugins! I updated all my plugins and they will work with WP 5.7 without issues!
    🔎 RESOURCES MENTIONED 👇
    CodeRevolutions plugins ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    Meet “Esperanza”, the first WordPress release of 2021 (WordPress 5.7). “Esperanza” is named in honor of Esperanza Spalding, a modern musical prodigy. Her path as a musician is varied and inspiring—learn more about her and give her music a listen!
    With this new version, WordPress brings you fresh colors. The editor helps you work in a few places you couldn’t before without getting into code or hiring a pro. The controls you use most are right where you need them. Layout changes that should be simple, are even simpler to make.
    All my plugins are now updated and working with this new WordPress version. Go ahead and feel free to update WP to the newest version!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WORDPRESS5 #WORDPRESSUPDATE #PLUGINCOMPATIBILITY #WPCOMPATIBILITY

    Newsomatic tutorial How to Strip HTML Elements by ID or by Class

    This tutorial video will show you how to Strip HTML elements by Class or by ID using the Newsomatic plugin. For more details, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    If you are looking around to find something that would allow you to reliably strip a chunk of HTML code down to a bare form and its elements when you import full article content using the Newsomatic plugin, than you are in the right place! This video will show you details about how to achieve content stripping by class or by ID. I will provide a solution to remove all elements that you specify, using HTML classes or IDs.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #NEWSOMATICTUTORIAL #NEWSOMATICPLUGIN #AUTONEWSBLOG

    Ezinomatic Plugin Update: Get Also Resource Section of EzineArticles Content

    A new update was released for the Ezinomatic plugin, now it is able to get full content for articles. For more info, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Ezinomatic Plugin ► https://1.envato.market/ezinomatic

    🤔 ABOUT THIS VIDEO 👇
    The Ezinomatic plugin was updated, it is now able to import also the “resource” section of EzineArticles content. Check the video for details!
    EzineArticles is a website that accepts unpaid submissions from authors, in exchange for links to the authors’ websites and visibility for their work. The site also allows web and Ezine publishers to freely republish articles from the site, subject to certain conditions. Editorial oversight, based on simple editorial guidelines, occurs as submissions are screened by human editors who work for the company. In December 2013, Alexa ranked the site 646 globally and 129 in India.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #EZINOMATIC #EZINEARTICLES #EZINEARTICLESPLUGIN #WPEZINEARTICLES

    Crawlomatic 2021 Scrape a List of URLs Update – Multi-URL scraper and Crawler Ability Added!

    Check the latest update for the Crawlomatic plugin, scrape a list of URLs. For more details, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Websites are full of valuable information.
    One of them being URLs themselves.
    For example, you might want to scrape a list of product pages URLs, a list of direct links to important files or a list of URLs for real estate listings.
    Today, we will go over how to use a free web scraper to scrape a list of URLs from any website. You can then download this list as a CSV or JSON file.
    To scrape by using a list of URLs, we’ll simply set up a loop of all the URLs we need to scrape from then add a data extraction action right after it to get the data we need. Crawlomatic will load the URL one by one and scrape the data from each page.
    By creating a “List of URLs” loop mode, Crawlomatic has no need to deal with extra steps like “Click to paginate” or “Click Item” to enter the item page. As a result, the speed of extraction will be faster, especially for Cloud Extraction. When a task built using “Lists of URLs” is set to run in the Cloud, the task will be split up into sub-tasks which are then set to run on various cloud servers simultaneously.
    “List of URLs” mode is very effective. You can add particular web pages to the list, and it doesn’t matter whether they are consecutive pages or not, as long as they share the same page layout. Crawlomatic will scrape data from each URL in the list, and no page would be omitted.
    A Free and Powerful Web Scraper
    For this example, we will be using Crawlomatic. A free and powerful web scraper that can extract data from any website. Make sure to download and install Crawlomatic for before we get started (check the link from above).

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CRAWLOMATIC #SERIALSCRAPER #SCRAPEURLLIST #URLLISTSCRAPER

    Google Analytics Removed Support for YouTube

    This video is showing an update about Google Analytics removing support for YouTube channel tracking. For more info, watch this video!

    🤔 ABOUT THIS VIDEO 👇
    Google Analytics will no longer gather new data from YouTube channel pages after deprecating the connection between the two services.
    Google Analytics stopped collecting data from YouTube channel pages on February 1, 2021. Historical data will remain accessible but new data will not be tracked.
    The ability to establish a link between Google Analytics and YouTube was removed in November of last year. Channels with existing connections to Google Analytics were able to view new data up until the beginning of this month.
    Google has made minimal effort to communicate these changes. If it weren’t for a notice at the top of a YouTube Help page the changes may have been missed altogether.
    Google’s lack of announcements about this change could indicate the link between GA and YouTube wasn’t used by a majority of creators.
    YouTube creators have always had access to a more complete set of analytics data in YouTube Studio. There was little incentive to establish a link to Google Analytics, unless GA was already a part of the creator’s workflow.
    The connection to YouTube was less a necessity and more of an option that was offered out of convenience for people who regularly use Google Analytics to track other data.
    Now, YouTube Analytics is the best source for marketers to access up-to-date information on YouTube channels.
    For marketers who relied solely on Google Analytics, this could mean having to familiarize yourself with a new tool. Unfortunately, Google Analytics removed support for YouTube channels.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBEGOOGLEANALYTICS #YOUTUBEANALYTICS #GOOGLEANALYTICS #ANALYTICSYOUTUBE

    How to get an eBay APP ID to use with the Ebayomatic plugin (v3.0 update)

    This video will show you how to use the Ebayomatic plugin after its v3.0 update, and get eBay APP ID. For more info, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Ebayomatic ► http://1.envato.market/ebayomatic
    Ebayomatic full tutorial video ► https://www.youtube.com/watch?v=_sr6ErLmNYE

    🤔 ABOUT THIS VIDEO 👇
    Ebayomatic allows you to quickly and easily place products from the eBay Partner Network into your WordPress blog. These can easily be embedded into posts or inserted into the themes – flexibility is huge. This plugin is ideal for bloggers who wish to make more money through their blogs by promoting eBay’s Affiliate Programme, as well as users who sell their own items on eBay.
    Please Note From 1st September 2020 the Dynamic Feed Generator from eBay is being withdrawn. So, I updated this plugin to work with the original eBay API, that will be used to handle product list importing. In this tutorial video I will show you guys how to get an API key for eBay API which will allow the plugin to function and to get products from eBay.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #EBAYAFFILIATE #EBAY #EBAYPLUGIN #EBAYAFFILIATEPLUGIN

    GOOD NEWS: 5 of my plugins will be included in the official Envato March Sale Campaign (40% OFF)!

    Good news for today! Envato selected 5 of my plugins to be included in the March Sale Campaign, where plugins will be discounted 40%!

    🔎 RESOURCES MENTIONED 👇
    Newsomatic ► https://1.envato.market/newsomatic
    Echo RSS ► https://1.envato.market/echo
    FBomatic ► https://1.envato.market/fbomatic
    Crawlomatic ► https://1.envato.market/crawlomatic
    Youtubomatic ► https://1.envato.market/youtubomatic

    🤔 ABOUT THIS VIDEO 👇
    Envato Team has selected 5 of my plugins to be included in the March Sale Campaign, which will be live between Monday 22nd March 1am (UTC) and Friday 26th March 1am (UTC) 2021.
    All plugins that were selected will be sold at a 40% discount from their initial price during the campaign. Prices on Envato Market can only be set to a whole dollar value, therefore your new price is rounded down.

    So, make a note in your calendar for 22nd March 2021, because huge discounts will start at that time!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    TikTokomatic – TikTok Video Importer Plugin for WordPress

    If you want to automatically embed TikTok videos to your WordPress site, watch this video!
    🔎 RESOURCES MENTIONED 👇
    TikTokomatic TikTok Video Importer Plugin ► https://1.envato.market/tiktokomatic

    🤔 ABOUT THIS VIDEO 👇
    Do you want to easily embed TikTok videos on your WordPress website? Just with a quick setup, multiple TikTok videos will flow into your website.
    The TikTokomatic plugin will make super easy to embed a TikTok video inside your posts and pages. Also, if you configure it, it will also automatically display your latest TikToks!
    In this video, I’ll show you how to easily embed TikTok videos in WordPress and show your recent TikTok videos automatically.
    This method is the easiest way to embed any TikTok video on your WordPress site. All you need to do is simply set up an importing rule in the plugin using a username or a hashtag as a search query for TikTok videos and the plugin will do the rest for you!
    As soon as the plugin publishes the posts, WordPress will automatically load a preview of it in the post editor. You can now visit the created WordPress posts to see your TikTok video embedded in the posts.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TIKTOK #WPTIKTOK #TIKTOKTOWORDPRESS #TIKTOK2WORDPRESS

    Manga Scraper WordPress plugin release Delayed! Here is why!

    This video will provide some info why I delayed the development of the Manga Scraper plugin I announced earlier on this channel.

    🔎 RESOURCES MENTIONED 👇
    My portfolio ► https://1.envato.market/coderevolutionplugins

    🤔 ABOUT THIS VIDEO 👇
    Let me tell you details about why I had to delay the development and release of the Mange Scraper plugin I announced earlier on this channel.
    My reasons are: – I will create a new plugin first, that will be able to get TikTok videos and embed them on your WordPress site.
    Also, I will update Youtubomatic and other video uploader plugins to work also with videos from TikTok and to automatically upload them to your channels!
    The final step I need to do before developing the Manga Scraper plugin is to update Ebayomatic, to make it work again with the latest eBay API changes.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #PLUGINUPDATE #MANGASCRAPER

    Why my YouTube Channel is Not Growing Faster? Let me explain…

    Let me explain why my YouTube channel is not growing faster. This was a popular question from you guys in the comments, I will respond now.
    🔎 RESOURCES MENTIONED 👇
    Squeeze some Love from the Algorithm by clicking this link ► https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    Thank you!

    🤔 ABOUT THIS VIDEO 👇
    So, why is my YouTube channel not growing as fast as you guys might expect? It is because of YouTube algorithm. To have success, you have to make content for the algorithm, not for yourself or your viewers. This is because YouTube is algorithm driven. Nothing matters more than click through rate and video watch time. But to achieve great results in these two measurements, you need to be a virtual stripper. Otherwise, the algorithm will leave you and prefer other channels.

    Also, the algorithm prefers full time YouTubers who invest a huge amount of energy and time in their content. I just flip the switch on my camera and start recording stuff that I think will be useful for you guys, which it will help you in your day to day life.

    Another thing is that 99% of people watching YouTube videos are here for entertainment. My content is not entertainment focused, but more teaching focused, this is why my audience is smaller. But this is fine. 🙂
    The last thing is that I don’t invest money in YouTube ads to promote my videos, so they are also not booming because of paid promotions.

    This is why my channel is not growing in an exploding way, only in a slow and steady way. Which is absolutely ok. I just wanted to make this video to explain why this is happening.

    That being said, for everyone that watches… I really love you and thank you SO much for the support and if I managed to actually help you in any small way… I’m so happy I could! Cheers!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBEGROWTH #GROWYOUTUBE #GROWYOUTUBECHANNEL #GROWONYOUTUBE

    How to Install Puppeteer Globally on DigitalOcean Droplets

    This video will show you how to install Puppeteer on a DigitalOcean droplet. For more info, watch this video!
    🔎 RESOURCES MENTIONED 👇
    Tutorial page (with bash commands) ► https://coderevolution.ro/knowledge-base/faq/how-to-install-puppeteer-globally-on-a-digitalocean-droplet/
    Sign up for DigitalOcean ► https://m.do.co/c/78332a7b4ad2

    🤔 ABOUT THIS VIDEO 👇
    Setting up Puppeteer on Ubuntu Linux and Digital Ocean
    This is a tutorial on how to set up Puppeteer to work on Ubuntu Linux using a Digital Ocean droplet. While I will be going through specific steps for Digital Ocean, most of these steps should work great for any web server or just Ubuntu Linux box.

    Getting into it, after creating an account with Digital Ocean ( if you don’t have one, you can sign up here: https://m.do.co/c/78332a7b4ad2 ), you will want to create a new droplet with WordPress on it. A droplet in this case is just a VM where you can setup whatever you’d like. When you select it, you should come to this screen. For our purposes, we can use the smallest droplet at only $5/mo.

    If you are unfamiliar with doing any kind of cloud hosting, one of the beauties of it is that this $5/mo is the cost if you leave the droplet running all month. You can also scale up the power at any time. This is ideal for the purposes of web scraping. If we are just scraping something daily for like 10 – 15 minutes, we can just spin up the droplet for that time and then spin it down when we are done. It’s pretty great and makes it super economical.

    I really feel that using an SSH key is the way to go for accessing your droplet. It’s a lot more secure and quicker since you don’t have to enter your password each time. I’m not going to go into how to do it here but Digital Ocean has a great article walking through it.

    We will use a bash terminal to connect via console to our newly formed droplet.
    Now, please check the commands that need to be entered, in this knowledge base article here: https://coderevolution.ro/knowledge-base/faq/how-to-install-puppeteer-globally-on-a-digitalocean-droplet/

    As a result, you should be good to go! Puppeteer will be working like a charm on your new site from your DigitalOcean droplet!

    00:00​ Introduction
    00:55​ Setting up a new droplet on DigitalOcean
    04:39​ Install NodeJS
    04:59​ Install npm
    05:22​ Fix npm installation issue
    05:58​ Actually install npm
    08:21​ Installing pupputeer
    08:53​ Install and update required libraries
    10:14​ Conclusion

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    📚 RECOMMENDED RESOURCES 👇
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #DIGITALOCEAN #DIGITALOCEANDROPLET #PUPPETEER #PUPPETEERDIGITALOCEAN

    How to Find the Sitemap of Any Website?

    Let me show you how to find the sitemap of any website! For details, watch this video!
    🔎 RESOURCES MENTIONED 👇
    Sitemap Search Online ► https://seositecheckup.com/tools/sitemap-test

    🤔 ABOUT THIS VIDEO 👇
    A sitemap is a file where you provide information about the pages, videos, and other files on your site, and the relationships between them. Search engines like Google read this file to more intelligently crawl your site. A sitemap tells Google which pages and files you think are important in your site, and also provides valuable information about these files: for example, for pages, when the page was last updated, how often the page is changed, and any alternate language versions of a page.

    So, how to find the sitemap for any website?
    Method 1:
    Try typing in your domain name e.g. https://coderevolution.ro with the following endings
    /sitemap
    /sitemap.xml
    /sitemap_index.xml

    Method 2:
    Try typing in your domain name e.g. https://coderevolution.ro plus /robots.txt
    e.g. https://coderevolution.ro/robots.txt
    Tip: replace ‘coderevolution.ro’ with your domain name
    Look in the robots.txt file for the sitemap URL, as it is standard practice to put it here because it is the first place search engines look.

    Method 3:
    Do a site search on google by typing your site and a search for the XML type of file into the search engine
    e.g. “site:writemaps.com filetype:xml”

    Method 4:
    If you get a lot of results from that search, you could refine the search further. Try adding a criteria to have ‘sitemap’ in the URL
    e.g. “site:writemaps.com filetype:xml inurl:sitemap”

    Method 5:
    If none of the basic techniques worked, then you can try using a web crawling service to look for your sitemap.
    A quick and easy one to try is SEO Site Checkup’s sitemap tool – just put your URL in and let them see if they can find your sitemap. You can try using this online tool to find the sitemap of websites: https://seositecheckup.com/tools/sitemap-test

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SITEMAPXML #SITEMAP #FINDSITEMAP #SITEMAPSEARCH

    How to install Puppeteer globally on a DigitalOcean droplet

    Create a new droplet.

    Open a console for the droplet and run the following commands:

    sudo apt-get update
    sudo apt update && sudo apt install --assume-yes curl
    sudo curl -sL https://deb.nodesource.com/setup_20.x | sudo bash -
    sudo apt install -y nodejs
    sudo apt-get install npm
    cd /var/www/html
    sudo npm install --save puppeteer@~17.1.3
    sudo apt install libgconf-2-4 libatk1.0-0 libatk-bridge2.0-0 libgdk-pixbuf2.0-0 libgtk-3-0 libgbm-dev libnss3-dev libxss-dev
    sudo apt-get install libasound2

    After this, Puppeteer should be available globally on your DigitalOcean droplet.

    For an alternative command for Puppeteer global installation, you can use the following command instead:

    npm install -g puppeteer@~17.1.3

    The above tutorial installs version 17.1.3 of Puppeteer, as newer versions have an issue with running, if Puppeteer was executed using an unprivileged user. Older versions don’t have this issue.

    Note: 

    If you get a similar error while running sudo apt-get install npm

    The following packages have unmet dependencies:
     npm : Depends: nodejs but it is not going to be installed
           Depends: node-abbrev (>= 1.0.4) but it is not going to be installed
           Depends: node-ansi (>= 0.3.0-2) but it is not going to be installed
           Depends: node-ansi-color-table but it is not going to be installed
           Depends: node-archy but it is not going to be installed
           Depends: node-block-stream but it is not going to be installed
           Depends: node-fstream (>= 0.1.22) but it is not going to be installed
           Depends: node-fstream-ignore but it is not going to be installed
           Depends: node-github-url-from-git but it is not going to be installed
           Depends: node-glob (>= 3.1.21) but it is not going to be installed
           Depends: node-graceful-fs (>= 2.0.0) but it is not going to be installed
           Depends: node-inherits but it is not going to be installed
           Depends: node-ini (>= 1.1.0) but it is not going to be installed
           Depends: node-lockfile but it is not going to be installed
           Depends: node-lru-cache (>= 2.3.0) but it is not going to be installed
           Depends: node-minimatch (>= 0.2.11) but it is not going to be installed
           Depends: node-mkdirp (>= 0.3.3) but it is not going to be installed
           Depends: node-gyp (>= 0.10.9) but it is not going to be installed
           Depends: node-nopt (>= 3.0.1) but it is not going to be installed
           Depends: node-npmlog but it is not going to be installed
           Depends: node-once but it is not going to be installed
           Depends: node-osenv but it is not going to be installed
           Depends: node-read but it is not going to be installed
           Depends: node-read-package-json (>= 1.1.0) but it is not going to be installed
           Depends: node-request (>= 2.25.0) but it is not going to be installed
           Depends: node-retry but it is not going to be installed
           Depends: node-rimraf (>= 2.2.2) but it is not going to be installed
           Depends: node-semver (>= 2.1.0) but it is not going to be installed
           Depends: node-sha but it is not going to be installed
           Depends: node-slide but it is not going to be installed
           Depends: node-tar (>= 0.1.18) but it is not going to be installed
           Depends: node-underscore but it is not going to be installed
           Depends: node-which but it is not going to be installed 
    

    The solution is the following: Instead of the sudo apt-get install npm command, run the below commands:
    sudo apt-get install aptitude
    sudo aptitude install npm

    Crawlomatic – use event logs to better understand how the plugin works and how to configure it

    This tutorial video will show you some tips and tricks on how to better understand how to configure the Crawlomatic plugin using its logs.
    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Let me show you how to configure the Crawlomatic plugin in a much easier way. You will be able to use the logs that the plugin generates to visualize and understand what is happening in the background of the plugin and how it crawls links from sources you are using in its settings and how it is also scraping content from them.
    This video will provide insights on how to list links that were crawled from pages and how to be sure to understand how to better configure crawling and scraping to match the websites structure.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CRAWLOMATIC #WPCRAWLER #WPSCRAPER #WPCONTENTCRAWLER

    Crawlomatic Tutorial Video 2: Advanced Setup of WordPress Crawling and Scraping

    Check this advanced tutorial for more info on how to set up the Crawlomatic plugin. More info and use cases!
    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    This video will show you an updated and detailed tutorial for the Crawlomatic plugin. In the video you will also see use cases for image lazy loading, content extraction, pagination, crawling expressions and many more.
    This is a very long tutorial, with over 1 hour of content, covering the entire feature set of the plugin. I hope this video will be helpful, so you can better understand the functionality of the Crawlomatic WordPress plugin.
    Easily copy pages of content with images from your old website and create your own WordPress pages and posts.

    Most of the web migration software available is hard to use and needs advanced knowledge. Crawlomatic makes it simple with an easy to use visual interface on your WordPress site.

    Features that will make using this plugin very easy:
    – Visual interface for selecting content.
    – No need to know CSS selectors.
    – Images are imported to your media library.
    – Simply add your URL and start grabbing content.
    – Automatically populate the featured image, title, tags, and categories.
    – Save as draft, post, or page.
    – Strip unwanted css, iframes, and/or videos from content
    – Remove links from the content.
    – Post to a selected category.
    – The Crawlomatic plugin allows unlimited posts and pages with the Multiple Scrape.
    The Crawlomatic plugin also has a fully functional Live Scrape feature that allows automatically refreshed content for ratings, reviews, scores, rankings and so much more!

    ▬ Contents of this video
    0:00​ – Intro
    1:07​ – Scraping a single article example
    2:44​ – How to fix lazy loaded images in scraped content
    5:03​ – How to tell the plugin which content should it scrape
    8:11 – How to switch from single to serial scraping
    9:39 – Explaining basic settings from the ‘Web Crawl to Posts’ menu
    10:31 – Explaining advanced settings from the ‘Web Crawl to Posts’ menu (top part)
    15:15​ – Crawling & Content Grabbing Customizations Explained
    25:36​ – Automatically update existing posts
    25:55​ – Copy Images from Scraped Content Locally
    27:41​ – Featured Image Options
    29:04​ – Posting Restrictions
    30:06​ – Content Stripping Customizations
    31:44​ – Other Post Customizations
    33:54​ – How to Extract Links From URLs which will be Crawled
    35:41​ – How to use pagination to crawl more links from sites
    36:50​ – How to optimize paginated crawling
    37:44​ – How to crawl links from pages which were already scraped
    39:18​ – More Crawling Customizations
    40:27​ – How to include/exclude from crawling External Links
    41:07 – How to tell the plugin from where should it scrape and extract content
    41:48 – How to scrape articles which have multiple pages into a single post
    43:28 – How to extract the title of the scraped content
    43:39 – How to extract the author of the scraped content
    43:50 – How to extract the featured image of the scraped content
    44:00 – How to extract the publish date of the scraped content
    44:28 – How to extract the categories and tags of the scraped content
    45:13 – How to use the Custom Shortcode Creator feature
    50:01 – How to extract product prices (WooCommerce scraping)
    50:31 – Crawling Helper Explained
    50:41 – Tips and Tricks Page Explained
    50:52 – Activity and Logging Page Explained
    52:28 – Main Settings Page Explained
    52:44 – Translator API keys
    52:57 – General Plugin Options
    57:02 – Using Proxies in the plugin
    57:12 – Other Plugin Options
    58:02 – Image Options
    59:14 – Royalty Free Image Replacing Feature
    59:47 – Other Posting Options
    1:02:09 – WooCommerce Dropshipping Price Modifications
    1:02:27 – Text Spinning Options
    1:02:49 – Global Posting Restriction Options (applied for all rules)
    1:03:09 – PhantomJS Settings
    1:03:29 – Post Meta Options & Random Sentence Generator
    1:04:06 – Custom HTML Shortcode Explained
    1:04:19 – Affiliate Keyword Replacer Tool Explained
    1:04:30 – Available WordPress Shortcodes/Gutenberg Blocks Explained (Live Scraping Included)
    1:06:31 – Wrapping Up, thank you for watching!

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    To your success,
    Szabi – CodeRevolution.

    #SCRAPER #WPSCRAPER #CONTENTSCRAPER #CRAWLER

    Crawlomatic Tutorial Video 1: Basic Setup of Single and Serial Website Scraping

    Check how the Crawlomatic plugin can be configured to set up scraping of single and multiple websites. This is a basic tutorial, more to come soon!
    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Get content from almost any page from the internet! You don’t have to register APIs anymore, you can even download data from any non-api websites using the Crawlomatic plugin. Set it up once and let it scrape content 7/24 on full autopilot for you like a master! You can scrape single articles or you can crawl through the seed URL you are providing, and visit and extract content from each crawled URL. This plugin will search for all links from the source site and scrape all for content.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CRAWLOMATIC #SCRAPER #CRAWLER #WPSCRAPER

    Import videos from YouTube Channel RSS Feeds using the Echo RSS Plugin

    This video will show you how to import YouTube videos from channels using RSS feeds and the Echo RSS Plugin. For details, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Echo RSS Plugin ► https://1.envato.market/echo
    Example YouTube RSS Feed ► https://www.youtube.com/feeds/videos.xml?channel_id=UCJWCJCWOxBYSi5DhCieLOLQ />The Embed code to add the video in content ► %%item_url%%
    Youtubomatic Plugin ► https://1.envato.market/youtubomatic

    🤔 ABOUT THIS VIDEO 👇
    If you like RSS, you probably hate jumping around the internet to keep track of your favorite stuff. You tend to want all your content in one place—your RSS reader.
    But Google doesn’t publish RSS feeds for channels—or at least they don’t make them easy to find with a clickable button. Luckily there are two easy workarounds:
    https://www.youtube.com/feeds/videos.xml?channel_id=THE_CHANNEL_ID_HERE />Use the above URL (with the correct channel ID added to the end) and the Echo RSS plugin will be able to pull content from it.
    Don’t forget to use the following embed code in the ‘Generated Post Content’ settings field in the Echo RSS plugin to add also the YouTube videos in the created posts content:
    %%item_url%%

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ECHORSS #YOUTUBERSS #YOUTUBEFEEDS #YOUTUBECHANNELFEEDS

    YouTube AdSense Income Report February 2021 | How much Money can A Small YouTube Channel Earn?

    In this video we will see my YouTube Income Report for February 2021. I know you guys like these monthly Ad revenue reports from my channel so let’s do it 🙂

    🤔 ABOUT THIS VIDEO 👇
    I will share all the numbers from my YouTube Studio (revenue, traffic, view, subscribers). There are still plenty of skeptical people in this world who do not believe that it is possible to make money on the Internet. In reality, there are numerous success stories of people who have made their fortune online.
    Let me share with you my YouTube Studio stats, to see how much I earned so far. This video will estimate also how much do YouTubers make with 10000 subscribers. Check also my YouTube CPM 2021. Will show you guys also how much YouTube paid me for 31 days of videos.
    This info might be helpful for all who want to start your own YouTube channel and begin a journey earning money online. So, let me tell you details about how much YouTube paid me as a small channel.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBEEARNINGS #CHANNELEARNINGS #YOUTUBEREVENUE #SMALLCHANNELREVENUE

    Yummomatic vs Recipeomatic – which is the best recipe autoblogging plugin for you?

    This video is showing the differences between Recipeomatic and Yummomatic, both recipe autoblogging plugins.
    🔎 RESOURCES MENTIONED 👇
    Recipeomatic ► https://1.envato.market/recipeomatic
    Yummomatic ► https://1.envato.market/yummomatic
    Edamam API ► https://developer.edamam.com/edamam-recipe-api
    Spoonacular API ► https://spoonacular.com/food-api/pricing

    🤔 ABOUT THIS VIDEO 👇
    In this video I will show you the similarities and differences between the two recipe autoblogging plugins I created: Recipeomatic and Yummomatic.
    They are very similar, the main difference between them is that Recipeomatic is using Edamam API to get its content, while Yummomatic usese Spoonacular API as a content source. Both APIs are free to use, but offer slightly different features and results.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #RECIPEBLOG #FOODBLOG

    Echo RSS Feed Post Generator Plugin Complete Tutorial 2021

    This is an updated tutorial video for the Echo RSS Plugin – version 2021.
    🔎 RESOURCES MENTIONED 👇
    Echo RSS Plugin ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇
    This is an updated tutorial for the Echo RSS Post Generator plugin (2021).
    It will cover the entire functionality of the plugin and will explain how to set it up and configure it, from installation to full setup.
    You will be able to use this plugin to create blog posts from RSS feeds or even to create your own custom RSS feeds from posts published on your site.
    You can automatically generate posts based on a set of predefined rules.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #RSSIMPORTER #RSSPOSTER

    Newsomatic – Automatic News Post Generator – WordPress plugin updated tutorial 2021

    Check the updated tutorial for the Newsomatic plugin, watch this video!
    🔎 RESOURCES MENTIONED 👇
    Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    Newsomatic Automatic News Post Generator Plugin for WordPress is a breaking edge news related content importer, using NewsomaticAPI. It is ideal for auto blogging and automatic news related content post publishing. It uses NewsomaticAPI’s services to turn your website into a auto blogging or even a money making machine!
    Using this plugin, you can automatically generate posts based on a set of predefined rules.
    Works in ANY niche – turn your hobbies & interests into self-updating news sites!
    What is NewsomaticAPI?
    Newsomatic got a dedicated API to work with and to get content from. Integrate the new API into Newsomatic in less than 2 minutes and start creating your own news website.
    Also, the new API brings more flexibility. Because the plugin uses it’s dedicated API, we have full control over it, so if you wish to get new news sources added to it, feel free to contact us at support@coderevolution.ro

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #NEWSOMATIC #AUTOBLOGGING #NEWSBLOG #AUTOBLOG

    Craigomatic plugin updated – Craiglist removed RSS feeds but it is still able to scrape it

    The Craigomatic plugin was updated, even without Craislist RSS feeds, it is able to parse and scrape content from it.

    🔎 RESOURCES MENTIONED 👇
    Craigomatic ► https://1.envato.market/craigomatic

    🤔 ABOUT THIS VIDEO 👇
    Craigslist has, since very early on, supported RSS feeds for searches. Over time this feature has been more or less reliable, with some occasional (seemingly accidental) breakage that was eventually resolved.
    In recent years I observed issues retrieving feeds from certain IP ranges (perhaps due to rate limiting / blacklisting some service providers), but found that switching to another source IP would always resolve the issue.
    Now, all of my own searches result in 410 (Gone) responses. Of their sample feeds, only “Best of” still functions, the rest 404.
    Because of this, the Craigomatic plugin was not working any more and it was not able to get content from Craigslist. However, it was updated and now it is able to import content once again from Craigslist.
    Check details in this video.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SCRAPECRAIGSLIST #CRAIGSLIST #CRAIGSLISTSCRAPER #CRAIGSLISTCRAWLER

    Setup a new Facebook App in 2021 to Auto Post to Facebook Pages in 2021 using the FBomatic plugin

    This video will show you how to set up a new Facebook app to autopost to your page in 2021. For details, watch this video!

    🔎 RESOURCES MENTIONED 👇
    FBomatic plugin ► https://1.envato.market/fbomatic

    🤔 ABOUT THIS VIDEO 👇
    In 2021 the Facebook App Developer Console changed a lot and because of this, a new tutorial video was needed to show how to set up Facebook apps in 2021. The Developer Settings panel is separate from the App Dashboard. You can access the Developer Settings panel by going to the Apps panel or developers.facebook.com/docs, hovering over your profile image in the upper right corner, and selecting Developer Settings from the dropdown menu.
    In this video I will show you the steps you will need to take in order to set up the FBomatic plugin to use a new Facebook app in 2021 to automatically post to your Facebook page each time you publish a new post on your WordPress site.
    For more details, check this video!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #AUTOPOST #FACEBOOK #FACEBOOKAUTOPOST #FACEBOOKAPP

    Echo RSS Feed Parser Update – providing an alternative for SimplePie feed parser!

    The Echo RSS plugin was updated, now it has a built-in feed parser module, to provide as an alternative for the SimplePie library.

    🔎 RESOURCES MENTIONED 👇
    Echo RSS Plugin ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇
    SimplePie — a simple Atom/RSS parsing library for PHP, which is used also by the Echo RSS plugin to parse RSS feeds. However, it is not able to parse all RSS feeds, it has some rare feeds which it was not able to parse. Because of this, I updated the Echo plugin and implemented into it a new RSS feed parser module, which can be used in the the SimplePie library is failing to parse some RSS feeds.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SIMPLEPIE #SIMPLEPIEALTERNATIVE #RSSFEEDS #RSS

    HeadlessBrowserAPI new update – new API parameter added – add a sleep period after page load

    The HeadlessBrowserAPI was updated, now it is allowing the browser to wait a couple of seconds before returning the scraped HTML content.

    🔎 RESOURCES MENTIONED 👇
    HeadlessBrowserAPI ► https://headlessbrowserapi.com
    Crawlomatic plugin ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    HeadlessBrowserAPI introduces great new features and APIs for developers. Also, they will be able to be used from many WordPress plugins, like Crawlomatic, Echo RSS, Newsomatic or URL to RSS. This video will help you learn about features that are introduced in the latest update for the HeadlessBrowserAPI.
    Now, it is allowing you to wait a couple of seconds before it returns the HTML content of the scraped site, to allow the page to render and to return its full JavaScript generated dynamic HTML content.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #HTMLSCRAPER #WPSCRAPER #DYNAMICCONTENTSCRAPER #SCRAPEJS

    Twitter New Developer Portal Tutorial: How to get an API key/secret pair for your project?

    This video will cover the new Developer Portal from Twitter and show you how you can get new API credentials using it.

    🔎 RESOURCES MENTIONED 👇
    Twitomatic ► https://1.envato.market/twitomatic

    🤔 ABOUT THIS VIDEO 👇
    The Twitter developer portal is a set of self-serve tools that developers can use to manage their access as well as to create and manage their Projects and Apps.
    In the portal, you have the opportunity to:
    Create and manage your Twitter Projects and Apps.
    Set up your developer environments.
    Learn more about different endpoints and features available.
    In our Twitter API section, you will see a list of available endpoints. If you click on an endpoint you will be taken to a page that will show you key usage information and other documentation that can be helpful for you as you build with the API, such as quick start guides and migration guides.
    In the Labs section, you can experiment with our newest endpoints and give us feedback to help shape the future of Twitter’s APIs.
    In the Premium section, you can access our premium products which include the paid and free sandbox versions of the Account Activity API, Search Tweets, and Full Archive Search.
    See a billing page where you can view your payment details and previous invoices.
    View team pages where you can add and manage the different handles that have access to your team’s Premium APIs.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TWITTERAPI #TWITTER #TWITTERAPIKEY #TWITTERDEVELOPER

    🔥 [GIVEAWAY] Get FREE Cloud Hosting + ALL MY PLUGINS! 🔥

    🔥 [GIVEAWAY] Get FREE Cloud Hosting + ALL MY PLUGINS! 🔥
    🔎 HOW TO JOIN? 👇
    ✅ JOIN THE GIVEAWAY ON CODEREVOLUTION.RO ► https://coderevolution.ro/2021/01/26/huge-giveaway-get-free-cloud-hosting-all-my-plugins/
    ✅ OR ON ROCKET.NET ► http://get.rocket.net/to-the-moon-1/

    🔴 WHAT YOU WILL WIN 👇
    ✅ 1 YEAR MANAGED HOSTING (BUSINESS PLAN) ► https://bit.ly/rocket-net-hosting
    ✅ Mega WordPress ‘All-My-Items’ Bundle by CodeRevolution ► https://1.envato.market/bundle

    🤔 ABOUT THIS VIDEO 👇
    Rocket.net delivers enterprise features focused on high-performance WordPress Hosting using Edge Data Centers, CloudFlare Enterprise, and a finely tuned delivery system that focuses on scaling content, not PHP!
    Effortless deployments include a WordPress control panel and On By Default features that include CDN, WAF, SSL, Malware Protection, Full-Page Caching, Daily Backups. With built in speed, security & proactive protection you’ll be able to eliminate costly plugins which save money and reduce bloat!
    Also, CodeRevolution’s Mega Plugin Bundle will include all the plugins that I created so far (and also all the plugins that I will create in the future – with no extra costs)!
    Join the Giveaway today, there are more ways you can enter – the more entries you have, the better chances you have at winning free managed WordPress Hosting!

    I wish you much luck!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CONTEST #GIVEAWAY #HOSTNGGIVEAWAY #WPGIVEAWAY

    FaceLive plugin setup with the new Facebook Admin Console – live stream to Facebook page in 2021

    This tutorial video will show you how to set up the FaceLive plugin to stream to your Facebook page in 2021.

    🔎 RESOURCES MENTIONED 👇
    FaceLive ► https://1.envato.market/facelive

    🤔 ABOUT THIS VIDEO 👇
    Facebook app console changed a lot in the recent period and I wanted to make this updated video tutorial to show how to work with the Facebook App Console in 2021 to create a new Facebook app and to assign it to the plugin so it will be able to use it to stream to your Facebook page.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #FACEBOOKLIVE #FBOMATIC #FBLIVE #LIVESTREAM

    Dark Web scraping using HeadlessBrowserAPI (Tor endpoint)

    This video will show you how to scrape the Dark Web (.onion sites) using HeadlessBrowserAPI and Crawlomatic!

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic
    Get Dark Web Links ► https://thehiddenwiki.org/

    🤔 ABOUT THIS VIDEO 👇
    Warning: Accessing the dark web can be dangerous! Please continue at your own risk
    To most users, Google is the gateway to exploring the internet. However, the deep web contains pages that cannot be indexed by Google. Within this space, lies the dark web — anonymized websites, often called hidden services, dealing in criminal activity from drugs to hacking to human trafficking.
    Website URLs on the dark web do not follow conventions and are often a random string of letters and numbers followed by the .onion subdomain. These websites require the TOR browser to resolve, and cannot be accessed through traditional browsers such as Chrome or Safari.
    Let me show you how you can scrape the dark web (any .onion link) using the Crawlomatic WordPress plugin together with HeadlessBrowserAPI.
    Scraping the dark web has unique challenges compared to scraping the surface web. However, it is relatively untapped and can provide excellent cybercrime intelligence operations.
    I want to reiterate that scraping the dark web can be dangerous. Make sure you take the necessary safety precautions. Please continue to research safe browsing on the dark web. I am not responsible for any harm that occurs.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #DARKWEB #DARKWEBSCRAPER #SCRAPEONIONSITE #ONIONSCRAPER

    Crawlomatic update: crawl RSS Feed for links and scrape content from them

    The Crawlomatic plugin was updated, now it is able to crawl links from RSS feeds and to scrape content from them. For details, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    The Crawlomatic plugin was updated, now it is also able to scrape content from links crawled from RSS feeds. Check details about this update in this video!
    I’ve utilized web scraping in different capacities for my projects, whether it be data collection for analysis, creating notifications for myself when sites change, or building web applications.
    This guide will walk through a quick RSS feed scraper using Crawlomatic. The RSS feed itself is crawled for links and it will have updates of new posts and activity on the site at regular intervals.
    You might know that there are many sites that use RSS feeds to distribute their content. Almost all blogs have RSS feeds enabled, also, many of other services use RSS feeds. A good thing about RSS feed scraping is that it standardized and uses the same content layout everywhere.
    Give Crawlomatic a try now! https://1.envato.market/crawlomatic

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Newsomatic update: use Puppeteer, PhantomJS or HeadlessBrowserAPI to scrape JavaScript rendered HTML

    Check the latest update for Newsomatic, now it is able to scrape full article content that is dynamically generated using JavaScript!

    🔎 RESOURCES MENTIONED 👇
    Newsomatic ► https://1.envato.market/newsomatic
    HeadlessBrowserAPI ► https://headlessbrowserapi.com/

    🤔 ABOUT THIS VIDEO 👇
    The Newsomatic plugin got a huge update today! It is now able to scrape dynamically generated content from any website! To get this working, it is able to use PhantomJS or Puppeteer (which needs to be installed on your server. If you wish to get around the installation and config part of these on your server, you can also use HeadlessBrowserAPI and scrape dynamic HTML content without installing anything on your server!
    Check this video for details!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Crawlomatic plugin – an easy to understand tutorial on scraping websites

    This is a basic tutorial for the Crawlomatic plugin, that will guide you on it’s basic setup steps. For more details, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    This video explains how to set up a basic importing rule in the Crawlomatic plugin, that will scrape content from most of the sites available on the internet.
    Today, anyone can build and design a website without knowing anything about web development, design, or coding. You can get the content for your new website using Crawlomatic. This video will help with the first setup steps.
    Whether you want to create a website for yourself or for your business, you can easily do that by using the right tools and resources.
    This step-by-step guide will help you create some importing rule in the Crawlomatic plugin, from scratch without having to spend money for freelancers or agencies to configure the Crawlomatic plugin for you.
    All you need is a part of your free time to complete this guide and set up some scraping of some sites using this plugin.
    This is just a quick start suggestion video, the possibilities offered by this plugin are vast, so you can dive into it’s advanced features after you check this video.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    🔴 Scraping profiles from onlyfans.com using Crawlomatic and HeadlessBrowserAPI.com (or Puppeteer)

    🔴 Scrape onlyfans.com using Crawlomatic, and HeadlessBrowserAPI (or Puppeteer, installed locally on your server)!

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic plugin ► https://1.envato.market/crawlomatic
    HeadlessBrowserAPI (to render JavaScript on pages)► https://headlessbrowserapi.com/
    HeadlessBrowserAPI Tutorial ► https://www.youtube.com/watch?v=205EinBQAoo
    Install Puppeteer on Windows ► https://www.youtube.com/watch?v=s4fEYCOIZjk
    Install Puppeteer on Linux ► https://www.youtube.com/watch?v=XkVfYWRZpko

    🤔 ABOUT THIS VIDEO 👇
    Let me show you how I am able to scrape onlyfans.com using the Crawlomatic plugin I created, when it is working together with HeadlessBrowserAPI or Puppeteer (installed locally on your server). These are needed to render the JavaScript generated content from onlyfans.com and to scrape it (this will not be possible using regular scrapers).

    🔘Check the Crawlomatic plugin settings that will enable you to scrape onlyfans.com 👇(explanation in the video above)
    Scraper Start (Seed) URL – https://onlysearch.co/profiles?keyword=feet
    Content Scraping Method To Use – Puppeteer or HeadlessBrowserAPI (Puppeteer)
    Headless Browser Wait Before Rendering Pages (ms) – 5000
    Delay Between Request (milliseconds) – 1000,2000
    Do Not Scrape Seed URL – checked
    Seed Page Crawling Query Type – Class
    Seed Page Crawling Query String – btn btn-blue btn-thin
    Do Not Crawl External Links – unchecked
    Content Query Type – Class
    Content Query String – b-user-info__text
    Featured Image Query Type – Class
    Featured Image Query String – g-avatar online_status_class m-w150 m-pointer
    OR
    Featured Image Query String – b-profile__header__cover-img

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Trust GXT 252+ Emita Plus Streaming Microphone:
    https://amzn.to/2LB79sv
    Web Cam: Logitech Brio 4K Stream Edition: https://amzn.to/2N5CNid

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #SCRAPEONLYFANS #ONLYFANS #ONLYFANSSCRAPER #ONLYFANSPROFILES

    HeadlessBrowserAPI – a new Proxy API for JavaScript rendered HTML Scraping

    HeadlessBrowserAPI is a new API that will be able to scrape JavaScript rendered HTML from around the web! Dark Net scraping also supported!

    🔎 RESOURCES MENTIONED 👇
    HeadlessBrowserAPI ► https://headlessbrowserapi.com/

    💻 THE API IS USED IN THE FOLLOWING WP PLUGINS 👇
    Crawlomatic ► https://1.envato.market/crawlomatic
    URL to RSS – Custom Curated RSS Feeds ► https://1.envato.market/customcuratedrss
    Echo RSS Post Generator ► https://1.envato.market/echo
    Playomatic ► https://1.envato.market/playomatic
    Quoramatic ► https://1.envato.market/quoramatic

    🤔 ABOUT THIS VIDEO 👇
    HeadlessBrowserAPI handles JavaScript rendering using headless browsers, so you can get the full HTML content from any web page with a simple API call.
    We handle headless browsers (and proxies, if you use the Tor endpoint), so you can get the HTML from any web page with a simple API call! And when we say “any web page” – we mean it! The Tor endpoint will be able to scrape web sites from the Dark Web (.onion links)!
    Check a detailed example on how this API can help you, on this page: https://headlessbrowserapi.com/details-about-the-api/

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #DYNAMICCONTENTSCRAPING
    #HEADLESSBROWSERAPI #PUPPETEERAPI #DARKNETSCRAPING

    Crawlomatic plugin update: scrape POST requests from pages and crawl results!

    The Crawlomatic plugin was updated, now it is able to crawl and scrape pages after submitting POST requests to them!

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic
    Test Page ► https://www.w3schools.com/action_page.php

    🤔 ABOUT THIS VIDEO 👇
    The Crawlomatic plugin was updated, now it is able to crawl pages that accept POST requests.
    If you want to queue a POST request and crawl and scrape the results that it generates, you will usually have a hard time, because usual scrapers don’t support this method. After it’s latest update, Crawlomatic is able to crawl and scrape also pages that use POST requests. Check the video now for more details!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Youtubomatic update: automatically embed search query best matching video to your site

    The Youtubomatic plugin was updated, now it’s automatic video embedding feature works again!

    🔎 RESOURCES MENTIONED 👇
    Youtubomatic ► https://1.envato.market/youtubomatic

    🤔 ABOUT THIS VIDEO 👇
    The Youtubomatic plugin was updated, now it is able to embed best matching result for a keyword search and display the best matching video automatically on your site. This feature was using the listType player parameter to search, which unfortunately was deprecated by YouTube and because of this, this feature was not working any more. But I updated the plugin, and made this feature work again, now using the YouTube API to list videos.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #LISTTYPE #VIDEOSEARCH #BESTMATCHINGVIDEO

    Install the Tor browser on your Linux or Windows Server (to scrape onion sites)

    How to install the Tor browser (as a service) on Linux and Windows servers, to scrape onion sites using the Crawlomatic plugin!

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic plugin (to scrape onion sites) ► https://1.envato.market/crawlomatic
    Don’t forget to install also Puppeteer for this to work!
    Install Puppeteer on Windows ► https://www.youtube.com/watch?v=s4fEYCOIZjk
    Install Puppeteer on Linux ► https://www.youtube.com/watch?v=XkVfYWRZpko

    🤔 ABOUT THIS VIDEO 👇
    These are the installation instructions for installing Tor on Windows or Linux without the need to have the Tor Browser Bundle (TBB) running all the time as well.
    Running Tor as a service on Windows separately from the Tor Browser Bundle is only useful for users who want to keep Tor running all the time, without having to have the Tor Browser running as well.

    Here are the steps to install Tor on your server:
    For Linux:
    – open a shell console and write:
    sudo apt install torbrowser-launcher

    For Windows:
    Download the latest version of the Tor browser from here: https://www.torproject.org/download/
    Install it
    Navigate to the location where the tor.exe is located (usually: C:Program FilesTor BrowserBrowserTorBrowserTor) and open an Administrator command prompt there
    Write the following command:
    tor.exe –service install
    Now you can open services.msc on your Windows machine and check if the tor service was installed correctly and if it is running (listed as “Tor Win32 Service”)

    After you done these steps, you are ready to scrape websites from the dark web, using the Crawlomatic plugin!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions!

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I may receive a commission. I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #DARKWEB #DARWEBSCRAPER #ONIONSCRAPER #ONIONCRAWLER

    Crawlomatic update: Crawl the Dark Web and Scrape articles from it (DARK WEB SCRAPER)

    Crawlomatic was updated, now it can access the TOR sites and get content from the dark web and the onion network!

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Warning: Accessing the dark web can be dangerous! Please continue at your own risk!
    To most users, Google is the gateway to exploring the internet. However, the deep web contains pages that cannot be indexed by Google. Within this space, lies the dark web — anonymized websites, often called hidden services, dealing in criminal activity from drugs to hacking to human trafficking.
    Website URLs on the dark web do not follow conventions and are often a random string of letters and numbers followed by the .onion subdomain. These websites require the TOR browser to resolve, and cannot be accessed through traditional browsers such as Chrome or Safari.
    Today, the Crawlomatic plugin was updated to v2.1 and it can now use the Tor browser to access websites from the onion network and to scrape content from them and also crawl their links!
    Don’t forget, for this, you will need the Tor browser and also Puppeteer installed on your server. Subscribe to this channel, I will create more videos on how to install them on Linux and Windows! Also, I will make a video showing some example websites located on the dark web.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    What is the difference between these 3 RSS plugins: Echo RSS, URL to RSS and RSS Transmute?

    This video will tell you the difference between the 3 RSS plugins I created!

    🔎 RESOURCES MENTIONED 👇
    Echo RSS ► https://1.envato.market/echo
    URL to RSS ► https://1.envato.market/customcuratedrss
    RSS Transmute ► https://1.envato.market/rsstransmute

    🤔 ABOUT THIS VIDEO 👇
    Let me tell you what is the difference between the 3 RSS plugins I created: Echo RSS Feed Post Generator, URL to RSS and RSS Transmute.
    All these three plugins will allow you to manipulate RSS feeds, to import them to your WordPress site as posts, to create them, to merge them and many more!
    Check this video for details!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Happy New Year 2021!

    Happy New Year 2021!

    🔎 PEOPLE APPEARING IN THE VIDEO 👇
    Me and my daughter Maya!

    🤔 ABOUT THIS VIDEO 👇
    Ringing in the New Year is a cause for celebration, for spending time with friends and family, and for offering Happy New Year wishes. Browse the Happy New Year messages below to express your New Year wishes and sum up what the past year has meant to you. A lot can happen in a year and between the good, the bad, and the ugly, this may seem like an understatement for most. I hope 2021 will be a great year for all of us.
    Happy New Year!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    The Last Plugin Update for 2020: Newsomatic new feature: rule paging feature (much needed update)

    Let me show you the last update I made in the year 2020 for the Newsomatic plugin!

    🔎 RESOURCES MENTIONED 👇
    Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇
    Watch this video to see the last update I did for the Newsomatic plugin in the year 2020! Now, it is able to display a paging interface for rules that you created in its settings, to get content from news sources.
    This is a much needed feature, especially for you guys who set up the plugin to import content from many sources.
    This is all for this year!
    Happy New Year!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    How to configure the Careeromatic plugin with the JobRoller theme

    These tips will help you to configure the Careeromatic plugin with the JobRoller theme.

    🔎 RESOURCES MENTIONED 👇
    Careeromatic ► https://1.envato.market/careeromatic
    JobRoller Theme ► https://www.appthemes.com/themes/jobroller/?aid=56462

    🤔 ABOUT THIS VIDEO 👇
    If you want to know how to configure the Careeromatic plugin to fully benefit from the features offered by the JobRoller theme and to assign the generated content by the plugin to the custom job post types that the theme offers, watch this video. You will also learn how to set custom post taxonomies and custom post meta fields to jobs, so people will be able to search jobs more easily on your site, using the JobRoller theme.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Mediumomatic plugin updated: it is able to use Integration Tokens to automatically post to Medium

    This video will show you info about the latest update for the Mediumomatic plugin. For more details, watch this video!
    🔎 RESOURCES MENTIONED 👇
    Mediumomatic plugin ► https://1.envato.market/mediumomatic

    🤔 ABOUT THIS VIDEO 👇
    Learn how to connect WordPress with Medium, using the Mediumomatic plugin for WordPress!
    Medium offers an integration token for use with third-party writing applications, such as:
    Byword
    iA Writer
    Ulysses
    Check your Medium settings page’s “Integration tokens” section to generate your token.
    The Mediumomatic plugin was updated, now it is able to use these “integration tokens” to automatically post to Medium.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Gift Idea: 50% Discount for the Mega Bundle (including all my plugins)! Merry Christmas!

    Merry Christmas! My gift to you is a 50% discount for the Mega Bundle which includes all my plugins! This is also a great Christmas Gift Idea for your tech savvy loved ones.

    🔎 RESOURCES MENTIONED 👇
    Mega Bundle 50% discount ► https://1.envato.market/bundle

    🤔 ABOUT THIS VIDEO 👇
    It’s almost Christmas, which means time is running out to buy last-minute gifts for family and friends. To help you find the perfect present and save money, I’ve re-created the best of the Black Friday and Cyber Monday deal: 50% discount for the Mega Bundle – which includes all my existing and also future plugins! Hope you will enjoy this deal!

    Merry Christmas!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Crawlomatic tutorial: remove unwanted content from imported articles

    These tips will help you to remove unwanted parts of the imported articles using Crawlomatic. For more info, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Crawlomatic is a powerful WordPress plugin which will help you to import content from any site, and also to remove unwanted content from it (based on HTML selectors, like classes or IDs, Regex expressions or XPATH expressions. This is the most flexible and advanced WordPress content scraper plugin you will ever find.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    My first sale on ShutterStock! Wow!

    I just made my first sale on ShutterStock! I earned 0.10$ and I am amazed!

    🔎 RESOURCES MENTIONED 👇
    My ShutterStock Portfolio ► https://www.shutterstock.com/g/CodeRevolution

    🤔 ABOUT THIS VIDEO 👇
    Just a while ago I’ve posted some images on ShutterStock. And what a surprise, just yesterday evening I’ve received a notification from Shutterstock – my first stock image sale ever happened!
    Someone from Colombia had bought my string potato image. Welcome to Latin America!
    Hope this trend with continue further on.
    A nice event in my newly stock photos start.
    It seems that YES, you can make money from Stock Photos, Vectors, Videos, Audio, Illustrations… 🙂

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Creating a basic live scraper to scrape latest currency exchange rates with Crawlomatic

    This video will show you how to set up Crawlomatic to scrape currency exchange rates LIVE.

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic
    Scraped page: USD-EUR Rate ► https://transferwise.com/gb/currency-converter/usd-to-eur-rate
    Crawlomatic shortcode tutorial ► https://coderevolution.ro/knowledge-base/faq/crawlomatics-crawlomatic-scraper-shortcode-documentation/

    🤔 ABOUT THIS VIDEO 👇
    Crawlomatic is a WordPress plugin that copies contents from any website to your WordPress website for once or multiple times (set timeout for content rescraping/refreshing) in chosen time intervals automatically. It’s very easy to use, doesn’t require any programming skills and designed for best user experience. Check it now using the link from above!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Get 300$ Google Cloud Credit for your new project idea, valid for new accounts

    This video will show you how to get 300$ of Google Cloud Credit, to launch your new project idea! For more details, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Get 300$ Google Cloud VPS Credit ► https://cloud.google.com/free
    Learn how to get 300$ AWS Credit ► https://www.youtube.com/watch?v=V-p3dx_DU5k

    🤔 ABOUT THIS VIDEO 👇
    In this video I will show you how you can get 300$ of Google Cloud credits for your next project, and you will be able to save on your Google Cloud Hosting service bill. Credits are applied to GoogleCloud bills to help cover costs that are associated with eligible services and are applied until they are exhausted or expire. If you want to see how to redeem your Google promotional credits (300$ valid for 6 months), watch this video!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    🎫 [COUPON] Get FREE Exclusive Access to Premium Articles from my Site!

    Thank you for watching my videos, check the COUPON code below for exclusive access to many premium articles!

    🔎 RESOURCES MENTIONED 👇
    Join the site here ( coupon code FREEKNOWLEDGE ) ► https://coderevolution.ro/join-the-site/
    Member only content ► https://coderevolution.ro/member/

    🤔 ABOUT THIS VIDEO 👇
    My VLOG today is a bit different in that it’s a personal letter from me to you. Let me start by saying, “Thank you” for being such a valued member of our community by watching my videos and subscribing to this channel. I personally appreciate your support.
    I wanted to thank you by offering a COUPON code that will grant you access to my membership site for 1 month for FREE. The code is FREEKNOWLEDGE

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    WP Setup Wizard Plugin Presentation Video

    This is the presentation video of the “WP Setup Wizard Plugin”. Hope you like it! 🙂
    🔎 RESOURCES MENTIONED 👇
    WP Setup Wizard ► https://1.envato.market/WPSetupWizard

    🤔 ABOUT THIS VIDEO 👇
    If you are an online business owner and you use WordPress to host your products, then you must know the terrible feeling when facing tiny repetitive tasks every time you build up a site on WordPress. It is totally fine if you only have to handle a few blogs, but it is an entire mess if the number of sites you are possessing surpasses ten.

    In fact, if you continue coping with this challenge manually, you will sooner or later reach your climax and lose your efficiency dramatically. Such boring tasks consist of deleting defaults comments, posts, and pages, as well as create trending sales pages, etc.

    For that reason, the WP Setup Wizard series has been developed to assists users in handling these tasks simultaneously in an effortless way. WP Setup Wizard comes with multiple top notch features, I recommend you check them all, especially the perfect GDPR compliance tool.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #WPSETUP #WPCONFIG #WPSETUPWIZARD

    Get 300$ Amazon AWS Credit for your new project idea, valid for 6 months

    This video will show you how to get 300$ of Amazon AWS credit, to launch your new project idea! For more details, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Apply for your 300$ Amazon AWS credit, here ► https://pages.awscloud.com/adoptf90d_GLOBAL_POC-credits.html
    Learn how to get 300$ Google Cloud Hosting credit ► https://youtu.be/VjwBXMiiXEE

    🤔 ABOUT THIS VIDEO 👇
    In this video I will show you how you can get 300$ of AWS credits for your next project, and you will be able to save on your Amazon Web Services (AWS) bill. Credits are applied to AWS cloud bills to help cover costs that are associated with eligible services and are applied until they are exhausted or expire. If you want to see how to redeem your AWS promotional credits (300$ valid for 6 months), watch this video!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    2020 Year End Review – a very challenging year, filled with unexpected events

    I am continuing the tradition I started in 2018, and I am reviewing how I did in 2020 and what my goals are for 2021

    🔎 RESOURCES MENTIONED 👇
    2020 Year End Review Post ► https://coderevolution.ro/2020/12/16/2020-year-end-review—a-pandemic-and-lockdown-defined-year/
    Check My WordPress Plugins ► https://1.envato.market/coderevolutionplugins
    Check My Blog ► https://coderevolution.ro/blog/
    Member Only Section Of My Site ► https://coderevolution.ro/all-member-posts/
    New Niche Site ► https://theonlinenews.in/
    Some Creative Videos I Made In 2020 ►
    https://www.youtube.com/watch?v=31-xisX1030
    https://www.youtube.com/watch?v=ah1gReAv-m8
    https://www.youtube.com/watch?v=7l65wodnPyM
    https://www.youtube.com/watch?v=dNr3i8HxWIQ
    https://www.youtube.com/watch?v=ETo6L-5f5ng

    🤔 ABOUT THIS VIDEO 👇
    First thing that I want to say is that I’m filled with a huge sense of gratitude. Unfortunately, in 2020 many people around the world found themselves in a health or an economic crisis, getting sick, losing their jobs or businesses, or even their loved ones or lives. I want to start this year end review grounded in reality, to never forget how lucky I am to be here, together with my loved ones.
    Also, as you might already know, my main source of revenue is coming from creating WordPress plugins, and selling them on CodeCanyon. Fortunately, in 2020, I was able to keep creating more plugins and to keep my revenue from dropping significantly. Also, I worked a lot on diversifying my revenue streams, making sure I am not putting all my eggs in a single basket.
    I invite you to check this video for details about how my business did in 2020, and what are my main goals for 2021.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #REVIEW2020 #YEARENDREVIEW #2020 #2020REVIEW

    Spin Content in Multiple Languages: SpinnerChief update for plugins

    My plugins were updated, now they are able to use also SpinnerChief to spin imported content in multiple languages!

    🔎 RESOURCES MENTIONED 👇
    Check my plugins ► https://1.envato.market/coderevolutionplugins
    SpinnerChief ► http://www.whitehatbox.com/Agents/SSS?code=iscpuQScOZMi3vGFhPVBnAP5FyC6mPaOEshvgU4BbyoH8ftVRbM3uQ==

    🤔 ABOUT THIS VIDEO 👇
    My plugins were updated, now they can use SpinnerChief to spin content in multiple languages (not just English). SpinnerChief allows you to specify another language thesaurus which means spinning in non English.
    Here is the full list of usable languages:
    Arabic, Belarusian, Bulgarian, Croatian, Danish, Dutch, English, Filipino, Finnish, French, German, Greek, Hebrew, Indonesian, Italian, Lithuanian, Norwegian, Polish, Portuguese, Romanian, Slovak, Slovenian, Spanish, Swedish, Turkish, Vietnamese
    Check the update now in my plugins!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    WP Setup Wizard Update: add a banner to the top of your posts and pages

    This video shows you info on the latest update for the WP Setup Wizard plugin: add a banner to your pages.

    🔎 RESOURCES MENTIONED 👇
    WP Setup Wizard ► https://1.envato.market/WPSetupWizard

    🤔 ABOUT THIS VIDEO 👇
    The WP Setup Wizard plugin was updated, now it is able to display a simple banner on the top of pages. Now, this plugin makes it easy to display a simple announcement banner or bar at the top of your website. You can easily customize the color of the links, text, and background of the bar from within the settings. You can also customize to your heart’s desire by adding your own custom CSS.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Crawlomatic Live Scraper Use Case 1: Get Live LOTTO Numbers Data Added Into Your Pages

    This is the first use case of the Crawlomatic Live Scraper shortcode: get data from tables and scrape latest LOTO numbers

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic
    Scraper Documentation ► https://coderevolution.ro/knowledge-base/faq/crawlomatics-crawlomatic-scraper-shortcode-documentation/

    🤔 ABOUT THIS VIDEO 👇
    In this video I will show you a use case for the new feature of the Crawlomatic plugin, it is able to get live data from any website and automatically update it at a given interval. In this video, I will show you how to get live loto numbers from other websites and display them on your own website.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Custom Curated RSS Feeds updated: now it is able to crawl links and use them in created RSS Feeds

    Custom Curated RSS Feeds updated: crawl URLs and use them for items in created RSS feeds.

    🔎 RESOURCES MENTIONED 👇
    URL to RSS – Custom Curated RSS Feeds, RSS From Any Site ► https://1.envato.market/customcuratedrss

    🤔 ABOUT THIS VIDEO 👇
    With it’s latest update, you can use the URL to RSS – Custom Curated RSS Feeds, RSS From Any Site plugin to crawl also links found inside the scraped sites and publish them in the custom created RSS feeds. This feature is priceless for affiliate marketers, because you will be able to create custom RSS feeds, with your affiliate link added automatically in the RSS feed item’s URL field. Give it a try now!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Crawlomatic v2 Update: Live Scraping Support Added

    The Crawlomatic plugin was updated to v2! Live Scraping support added!

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic plugin ► https://1.envato.market/crawlomatic
    Crawlomatic v2 documentation ► https://coderevolution.ro/knowledge-base/faq/crawlomatics-crawlomatic-scraper-shortcode-documentation/

    🤔 ABOUT THIS VIDEO 👇
    Crawlomatic’s v2.0 update brought a new shortcode (and also Gutenberg block alternative) which will make much more easier to implement a web scraper for WordPress. This can be used to display real time data from any websites directly into your posts, pages or sidebar.

    Use this to include real time stock quotes, cricket or soccer scores or any other generic content. Features include:

    Scrap output can be displayed thru custom template tag, shortcode in page, post and sidebar (through a text widget).
    Configurable caching of scraped data. Cache timeout in minutes can be defined in minutes for every scrap.
    Configurable UserAgent for your scraper can be set for every scrap.
    Configurable default settings like enabling, UserAgent, timeout, caching, error handling.
    Multiple ways to query content – CSS Selector, XPath or Regex.
    A wide range of arguments for parsing content.
    Option to pass post arguments to a URL to be scraped.
    And many more cool features included in this new update!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Crawlomatic update: greatly increase crawling precision – skip articles that don’t match queries

    Crawlomatic was updated: it has greatly increased crawling precision – it can skip articles that don’t match the HTML content queries

    🔎 RESOURCES MENTIONED 👇
    Crawlomatic ► https://1.envato.market/crawlomatic

    🤔 ABOUT THIS VIDEO 👇
    Let me show you the latest update that I done on the Crawlomatic plugin – it’s crawling precision is greatly improved now, it can now scrape pages that match the content query that you set in the plugin’s settings, and skip those pages that don’t match. Until now, the default behavior was to automatically detect content from pages that don’t match the content selectors, so overall crawling precision was lower because of this.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Echo RSS plugin update: Enable Category Filtering for Imported Posts from RSS Feeds

    The Echo RSS plugin was updated, now it is able to import content by categories, from RSS feeds.

    🔎 RESOURCES MENTIONED 👇
    Echo RSS plugin ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇
    Filtering RSS feed content by category – this is a new feature that was added in it’s latest update to the Echo RSS Feed Post Importer plugin for WordPress. This will make the plugin even more feature rich and the most complete RSS feed importer plugin for WordPress. Check it using the link above!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    A compilation of some Super Useful WooCommerce code snippets

    Since over 5 years, WooCommerce is recognized as the most powerful and easy to use e-commerce plugin for WordPress. In this article, I have compiled my all time favorite hacks and code snippets to extend WooCommerce possibilities.


    Create a direct “Add to cart” link

    Sometimes you just need to let the user add a product in the cart by clicking on a link. It’s really easy to do, just add ?add-to-cart=974 at the end of any link.

    In this example, 974 is the product id, and should be replaced by the id of the product you want to add to cart.

    http://yoursite.com/checkout/?add-to-cart=974
    

     

    Remove address fields in checkout

    If you’re selling digital goods, you don’t necessarily need to ask the buyer for his address. In order to remove the address fields from the checkout, insert the following code into your theme functions.php file:

    add_filter( 'woocommerce_checkout_fields' , 'custom_override_checkout_fields' );
     
    function custom_override_checkout_fields( $fields ) {
        unset($fields['billing']['billing_first_name']);
        unset($fields['billing']['billing_last_name']);
        unset($fields['billing']['billing_company']);
        unset($fields['billing']['billing_address_1']);
        unset($fields['billing']['billing_address_2']);
        unset($fields['billing']['billing_city']);
        unset($fields['billing']['billing_postcode']);
        unset($fields['billing']['billing_country']);
        unset($fields['billing']['billing_state']);
        unset($fields['billing']['billing_phone']);
        unset($fields['order']['order_comments']);
        unset($fields['billing']['billing_address_2']);
        unset($fields['billing']['billing_postcode']);
        unset($fields['billing']['billing_company']);
        unset($fields['billing']['billing_last_name']);
        unset($fields['billing']['billing_city']);
        return $fields;
    }
    
    

    Define the number of products displayed per page

    A simple but effective way to define how many products should be displayed per page. On this example, return 25 means that 25 products will be shown, update this value with the desired number of products and append this line you your theme’s functions.php file.

    add_filter( 'loop_shop_per_page', create_function( '$cols', 'return 25;' ), 20 );
    

     

    Add a message above the login / register form

    Here’s a simple way to automatically add a custom message above the login/registration form. This code should be inserted into your functions.php file.

    add_action( 'woocommerce_before_customer_login_form', 'jk_login_message' );
    function jk_login_message() {
        if ( get_option( 'woocommerce_enable_myaccount_registration' ) == 'yes' ) {
    	?>
    		<div class="woocommerce-info">
    			<p><?php _e( 'Returning customers login. New users register for next time so you can:' ); ?></p>
    			<ul>
    				<li><?php _e( 'View your order history' ); ?></li>
    				<li><?php _e( 'Check on your orders' ); ?></li>
    				<li><?php _e( 'Edit your addresses' ); ?></li>
    				<li><?php _e( 'Change your password' ); ?></li>
    			</ul>
    		</div>
    	<?php
    	}
    }
    
    

    Remove the breadcrumbs

    If you don’t think the breadcrumbs are useful, you can remove them easily by adding the code below into your theme’s functions.php file.

    add_action( 'init', 'jk_remove_wc_breadcrumbs' );
    
    function jk_remove_wc_breadcrumbs() {
        remove_action( 'woocommerce_before_main_content', 'woocommerce_breadcrumb', 20, 0 );
    }
    
    

    Redirect add to cart button to the checkout page

    A very interesting hack which allows you to automatically redirect users to the checkout page once a product has been added to the cart. As many other hacks from this article, this code should go to your functions.php file.

    function add_to_cart_checkout_redirect() {
        wp_safe_redirect( get_permalink( get_option( 'woocommerce_checkout_page_id' ) ) );
        die();
    }
    
    add_action( 'woocommerce_add_to_cart', 'add_to_cart_checkout_redirect', 16 );
    

     

    Replace “out of stock” by “sold”

    If you’re selling unique objects, it makes much more sense to display “sold” instead of the default “out of stock” label. To do so, you simply have to paste this code in your functions.php file.

    add_filter('woocommerce_get_availability', 'availability_filter_func');
    
    function availability_filter_func($availability) {
    	$availability['availability'] = str_ireplace('Out of stock', 'Sold', $availability['availability']);
    	return $availability;
    }
    

     

    Restrict shipping to selected countries

    If you’re only willing to ship goods to specific countries, you can use the code below to do it. Countries can be added on the array on line 6. Code has to be in your functions.php file to work.

    function woo_override_checkout_fields( $fields ) { 
    
    	$fields['shipping']['shipping_country'] = array(
    		'type'      => 'select',
    		'label'     => __('My New Country List', 'woocommerce'),
    		'options' 	=> array('AU' => 'Australia')
    	);
    
    	return $fields; 
    } 
    add_filter( 'woocommerce_checkout_fields' , 'woo_override_checkout_fields' );
    
    
    

    Display “product already in cart” instead of “add to cart” button

    If a visitor has already added a specific product to his cart, it can be a great thing to notify them if an attempt to add the same product occurs.

    Here’s a simple code snippet to do that. Just add it to your functions.php file.

    add_filter( 'woocommerce_product_single_add_to_cart_text', 'woo_custom_cart_button_text' );
    function woo_custom_cart_button_text() {
    	global $woocommerce;
    	foreach($woocommerce->cart->get_cart() as $cart_item_key => $values ) {
    		$_product = $values['data'];
     
    		if( get_the_ID() == $_product->id ) {
    			return __('Already in cart - Add Again?', 'woocommerce');
    		}
    	}
    	return __('Add to cart', 'woocommerce');
    }
     
    add_filter( 'add_to_cart_text', 'woo_archive_custom_cart_button_text' );
    function woo_archive_custom_cart_button_text() {
    	global $woocommerce;
    	foreach($woocommerce->cart->get_cart() as $cart_item_key => $values ) {
    		$_product = $values['data'];
    		if( get_the_ID() == $_product->id ) {
    			return __('Already in cart', 'woocommerce');
    		}
    	}
    	return __('Add to cart', 'woocommerce');
    }
    
    

    Add custom page navigation to WooCommerce

    WooCommerce, like WordPress, doesn’t use page navigation by default. This can be changed easily on WordPress with the WP PageNavi plugin. When using WooCommerce, it requires a little hack to work.

    The first thing to do is to install the WP PageNavi plugin. Once done, simply open your functions.php file and paste the following code in it.

    remove_action('woocommerce_pagination', 'woocommerce_pagination', 10);
    function woocommerce_pagination() {
    		wp_pagenavi(); 		
    	}
    add_action( 'woocommerce_pagination', 'woocommerce_pagination', 10);
    

    General Regular Expression Patterns with explanation

      Username Regular Expression

    ^[a-z0-9_-]{3,15}$

    Description

    ^
    # Start of the line
    [a-z0-9_-]
    # Match characters and symbols in the list, a-z, 0-9, underscore, hyphen
    {3,15}
    # Length at least 3 characters and maximum length of 15
    $
    # End of the line

      Password Regular Expression

    ((?=.*\d)(?=.*[a-z])(?=.*[A-Z])(?=.*[@#$%]).{6,20})

    Description

    (
    # Start of group
    (?=.*\d)
    # Must contains one digit from 0-9
    (?=.*[a-z])
    # Must contains one lowercase characters
    (?=.*[A-Z])
    # Must contains one uppercase characters
    (?=.*[@#$%])
    # Must contains one special symbols in the list “@#$%”
    .
    # Match anything with previous condition checking
    {6,20}
    # Length at least 6 characters and maximum of 20
    )
    # End of group

      Email Address Regular Expression

    ^[_A-Za-z0-9-]+(\\.[_A-Za-z0-9-]+)*
    @[A-Za-z0-9]+(\\.[A-Za-z0-9]+)*(\\.[A-Za-z]{2,})$

    Description

    ^
    # Start of the line
    [_A-Za-z0-9-\\+]+
    # Must start with string in the bracket [ ], must contains one or more (+)
    (
    # Start of group #1
    \\.[_A-Za-z0-9-]+
    # Follow by a dot “.” and string in the bracket [ ], must contains one or more (+)
    )*
    # End of group #1, this group is optional (*)
    @
    # Must contains a “@” symbol
    [A-Za-z0-9-]+
    # Follow by string in the bracket [ ], must contains one or more (+)
    (
    # Start of group #2 – first level TLD checking
    \\.[A-Za-z0-9]+
    # Follow by a dot “.” and string in the bracket [ ], must contains one or more (+)
    )*
    # End of group #2, this group is optional (*)
    (
    # Start of group #3 – second level TLD checking
    \\.[A-Za-z]{2,}
    # Follow by a dot “.” and string in the bracket [ ], with minimum length of 2
    )
    # End of group #3
    $
    # End of the line

      IP Address Regular Expression

    ^([01]?\\d\\d?|2[0-4]\\d|25[0-5])\\.([01]?\\d\\d?|2[0-4]\\d|25[0-5])\\.
    ([01]?\\d\\d?|2[0-4]\\d|25[0-5])\\.([01]?\\d\\d?|2[0-4]\\d|25[0-5])$

    Description

    ^
    # Start of the line
    (
    # Start of group #1
    [01]?\\d\\d?
    # Can be one or two digits. If three digits appear, it must start either 0 or 1
    # e.g ([0-9], [0-9][0-9],[0-1][0-9][0-9])
    |
    # …or
    2[0-4]\\d
    # Start with 2, follow by 0-4 and end with any digit (2[0-4][0-9])
    |
    # …or
    25[0-5]
    # Start with 2, follow by 5 and ends with 0-5 (25[0-5])
    )
    # End of group #1
    \.
    # Follow by a dot “.”
    ….
    # Repeat 3 times (3x)
    $
    # End of the line

      Hexadecimal Color Code Regular Expression

    ^#([A-Fa-f0-9]{6}|[A-Fa-f0-9]{3})$

    Description

    ^
    # Start of the line
    #
    # Must constains a “#” symbol
    (
    # Start of group #1
    [A-Fa-f0-9]{6}
    # Any strings in the list, with length of 6
    |
    # ..or
    [A-Fa-f0-9]{3}
    # Any strings in the list, with length of 3
    )
    # End of group #1
    $
    # End of the line

      Image File Extension Regular Expression

    ([^\s]+(\.(?i)(jpg|png|gif|bmp))$)

    Description

    (
    # Start of the group #1
    [^\s]+
    # Must contains one or more anything (except white space)
    (
    # Start of the group #2
    \.
    # Follow by a dot “.”
    (?i)
    # Ignore the case sensive checking for the following characters
    (
    # Start of the group #3
    jpg
    # Contains characters “jpg”
    |
    # …or
    png
    # Contains characters “png”
    |
    # …or
    gif
    # Contains characters “gif”
    |
    # …or
    bmp
    # Contains characters “bmp”
    )
    # End of the group #3
    )
    # End of the group #2
    $
    # End of the line
    )
    # End of the group #1

      Time in 12-Hour Format Regular Expression

    (1[012]|[1-9]):[0-5][0-9](\\s)?(?i)(am|pm)

    Description

    (
    # Start of the group #1
    1[012]
    # Start with 10, 11, 12
    |
    # …or
    [1-9]
    # Start with 1,2,…9
    )
    # End of the group #1
    :
    # Follow by a semi colon (:)
    [0-5][0-9]
    # Follow by 0..5 and 0..9, which means 00 to 59
    (\\s)?
    # Follow by a white space (optional)
    (?i)
    # Next checking is case insensitive
    (am|pm)
    # Follow by am or pm

      Time in 24-Hour Format Regular Expression

    ([01]?[0-9]|2[0-3]):[0-5][0-9]

    Description

    (
    # Start of the group #1
    [01]?[0-9]
    # Start with 0-9,1-9,00-09,10-19
    |
    # …or
    2[0-3]
    # Start with 20-23
    )
    # End of the group #1
    :
    # Follow by a semi colon (:)
    [0-5][0-9]
    # Follow by 0..5 and 0..9, which means 00 to 59

      Date Format (dd/mm/yyyy) Regular Expression

    (0?[1-9]|[12][0-9]|3[01])/(0?[1-9]|1[012])/((19|20)\\d\\d)

    Description

    (
    # Start of the group #1
    0?[1-9]
    # 01-09 or 1-9
    |
    # …or
    [12][0-9]
    # 10-19 or 20-29
    |
    # …or
    3[01]
    # 30, 31
    )
    # End of the group #1
    /
    # Follow by a “/”
    (
    # Start of the group #2
    0?[1-9]
    # 01-09 or 1-9
    |
    # …or
    1[012]
    # 10,11,12
    )
    # End of the group #2
    /
    # Follow by a “/”
    (
    # Start of the group #3
    (19|20)\\d\\d
    # 19[0-9][0-9] or 20[0-9][0-9]
    )
    # End of the group #3

    Crawlomatic’s [crawlomatic-scraper] Shortcode Documentation

    What is new in Crawlomatic‘s shortcode?

    Crawlomatic’s v2.0 update brought a new shortcode (and also Gutenberg block alternative) which will make much more easier to implement a web scraper for WordPress. This can be used to display real time data from any websites directly into your posts, pages ohttps://coderevolution.ro/knowledge-base/faq/crawlomatics-crawlomatic-scraper-shortcode-documentation/r sidebar.

    Use this to include real time stock quotes, cricket or soccer scores or any other generic content. Features include:

    1. Scrap output can be displayed thru custom template tag, shortcode in page, post and sidebar (through a text widget).
    2. Configurable caching of scraped data. Cache timeout in minutes can be defined in minutes for every scrap.
    3. Configurable UserAgent for your scraper can be set for every scrap.
    4. Configurable default settings like enabling, UserAgent, timeout, caching, error handling.
    5. Multiple ways to query content – CSS Selector, XPath or Regex.
    6. A wide range of arguments for parsing content.
    7. Option to pass post arguments to a URL to be scraped.
    8. Dynamic conversion of scrap to specified character encoding to scrap data from a site using different charset.
    9. Create scrap pages on the fly using dynamic generation of URLs to scrap or post arguments based on your page’s get or post arguments.
    10. Callback function for advanced parsing of scraped data.

    Why is web scraping needed in WordPress?

    Web scraping (web harvesting or web data extraction) is a computer software technique of extracting information from websites. Web scraping is closely related to web indexing, however, web scraping focuses more on the transformation of unstructured data on the web, typically in HTML format, into structured data that can be stored and analyzed. Web scraping is also related to web automation, which simulates human browsing using computer software. Uses of web scraping include online price comparison, contact scraping, weather data monitoring, website change detection, research, web mashup and web data integration.

    Using Crawlomatic’s new shortcode, you can easily embed external content from websites (HTML), structured data feeds (RSS, ATOM, XML, JSON, CSV etc) with ease and mostly without the need of any coding. The possible implementations of this are limited only by your imagination.

    While scraping, you should consider the copyright of the content owner. Its best to at least attribute the content owner by a linkback or better take a written permission. Apart from rights, scraping in general is a very resource intensive task. It will exhaust the bandwidth of your host as well as the host of of the content owner. Best is not to overdo it. Ideally find single pages with enough content to create your your mesh-up.

    How to use the new scraper shortcode of Crawlomatic?

    Crawlomatic lets you specify a URL source and a query to fetch specific content from it. Crawlomatic can be used through a shortcode (for posts, pages or sidebar) or template tag (for direct integration in your theme) for scraping and displaying web content. Here’s the actual usage detail:

    In shortcode:

    Advertisement
    Advertisement
    Advertisement

    In template tag:

    <?php echo crawlomatic_scraper_get_content("https://www.yahoo.com/", ".stream-item", array('query_type' => 'cssselector', 'output' => 'text')); ?>

    The above shortcode and template tag would output the content of the CSS Selector ‘ol.trendingnow_trend-list’ from URL ‘https://www.yahoo.com/’ in your post, page or sidebar as plain text (HTML striped).

    In case of template tag (crawlomatic_scraper_get_content), the first argument is URL, the second argument is query while the third argument is a associative array with all other arguments.

    Crawlomatic has a host of options to control your URL request, do advanced parsing and managing output. Apart from CSS Selectors, Crawlomatic also supports XPath and Regex queries.

    Full parameter list:

    ‘url’ => ”, //the URL to be scraped
    ‘urldecode’ => 0, //0 or 1 – do you want to decode the URL before sending the request?
    ‘get_page_using’ => ‘default’, //select the page download method – default, wp_remote_request, phantomjs, puppeteer, tor, headlessbrowserapipuppeteer, headlessbrowserapitor, headlessbrowserapiphantomjs. Phantomajs, Puppeteer or Tor need to be installed on your server and configured in plugin settings to work correctly (when you select their values). If you use HeadlessBrowserAPI (Puppeteer, Tor or PhantomJS endpoints), these are not required to be installed on your server, however, you need to have a valid subscription for the API and a valid HeadlessBrowserAPI key added in the plugin’s ‘Main Settings’ menu -> ‘HeadlessBrowserAPI Key’ settings field. You can sign up, here.
    ‘on_error’ => ‘error_show’, //select the behavior in case of errors
    ‘cache’ => ’60’, //cache duration in minutes
    ‘page_level_caching’ => ‘on’ or ‘off’,//if the caching is done site level or page level. Page level will save data for the same URL multiple times, on shortcodes added to different URL from your site. Site level will save it only once, all shortcodes pointing to the same scraped URL will display the same info, on the entire site
    ‘output’ => ‘html’, //html or text – set the output format for the shortcode
    ‘timeout’ => ‘3’, //timeout in seconds for requests
    ‘query_type’ => ‘auto’, //auto, cssselector, regex, regexmatch, xpath, class, id, iframe, full – set the query type to parse the page content
    ‘query’ => ”,//the query string of the above query type
    ‘querydecode’ => 0, //0 or 1 – do you want to decode queries?
    ‘remove_query_type’ => ‘none’, //strip content query type – none, xpath, regex, cssselector, class, id
    ‘remove_query’ => ”, //strip content query string
    ‘replace_query_type’ => ‘none’, //replace content query type – none, xpath, regex, cssselector, class, id
    ‘replace_query’ => ”, //replace content query string
    ‘replace_with’ => ”, //replacement string for matches
    ‘lazy_load_tag’ => ”,//image lazy load tag (for lazy loaded images)
    ‘strip_links’ => ‘0’,//strip links from imported content – 0 or 1
    ‘strip_internal_links’ => ‘0’,//strip internal links from imported content – 0 or 1
    ‘strip_scripts’ => ‘0’,//strip scripts from imported content – 0 or 1
    ‘strip_images’ => ‘0’,//strip images from imported content – 0 or 1
    ‘content_percent_to_keep’ => ”,//percentage of the content to keep. Numeric, between 1 and 100.
    ‘limit_word_count’ => ”,//number of words to show at max in the scraped content.
    ‘spin’ => ”,//Set if you wish to enable text spinning for imported content. You can set this settings field to 1 to use the credentials set for text spinning in the plugin\’s “Main Settings” menu. You can also enter a specific content spinner, with credentials, in the following format: SpinnerName:username/email:password/APIkey. For SpinnerName, you can use the following: bestspinner, wordai, spinrewriter, turkcespin, builtin, wikisynonyms, freethesaurus (username and password should be entered only for premium spinner services)
    ‘translate_to’ => ”,//Enter a 2 letter language code to which you wish to translate content automatically
    ‘translate_source’ => ”,//2 letter language code for source language
    ‘useragent’ => ‘Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/86.0.4240.198 Safari/537.36’,//[advanced] user agent to set for requests
    ‘charset’ => get_bloginfo(‘charset’),//[advanced] request charset
    ‘iframe_height’ => ‘800’,//[advanced] iframe height, if query_type is set to iframe
    ‘headers’ => ”, //[advanced] request headers, working only if query_type is set to
    ‘glue’ => ”, //[advanced] the glue to use when multiple matched content found
    ‘eq’ => ”,//[advanced] if multiple matched content found, include only the nth element from the match list
    ‘gt’ => ”,//[advanced] If the query set matches multiple parts of the content, using this field, you can get the matched element from the page, with the numeric index greater than the value entered here.
    ‘lt’ => ”,//[advanced] If the query set matches multiple parts of the content, using this field, you can get the matched element from the page, with the numeric index less than the value entered here.
    ‘basehref’ => 1,//[advanced] Set the base href URL to which links should be converted in imported content. Optional. By default, this is set to the URL of the crawled site, so links can be auto completed (in case they have missing parts)
    ‘a_target’ => ”,//[advanced] Set the target attribute for links. Example: _blank
    ‘callback_raw’ => ”,//[advanced] Set the raw output callback function. Optional.
    ‘callback’ => ”,//[advanced] Set the output callback function. Optional.
    ‘debug’ => 0,//[advanced] Select if you wish to enable debug mode – 0 or 1

    Tutorial video

    Callback Functions

    Using the callback functions, you can extend Crawlomatic to do some advanced parsing. Simply put, callback functions will will parse and return your data. Callback functions can reside in functions.php of your child theme. Placing your callback functions here will make sure that these don’t get lost on upgrading your theme. On changing your theme, just change the child theme parent to the new upgraded theme.

    There are two sets of callback functions:

    callback_raw

    The function name specified in ‘callback_raw’ argument will parse the scraped content in its most raw form. This function expects only one array (of strings) argument and is called before any parsing arguments are applied. The code within this function should process the input and return a parsed array of strings or a single string as an output.

    callback

    The function name specified in ‘callback’ argument will parse the scraped content in its processed form. This function expects only one string argument and is called after all parsing arguments are applied. The code within this function should process the input and return a parsed string as an output.

    Dynamic URL and headers

    Using this feature of dynamic URL and headers, you can dynamically create a source URL and scrap content on the fly. Basically this lets you fetch content from a single underlying source by passing multiple get arguments to it. This feature will convert specific text in your URL or headers arguments to corresponding value based on some placeholders.

    For example, if you want a page to scrap symbols on reuters.com dynamically based on user input then:

    • url should be http://www.reuters.com/finance/stocks/overview?symbol=___symbol___
    • get argument for page should be `http://yourdomain.com/page/?symbol=CSCO.O (to get Cisco details)

    This will replace ___symbol___ in the url with CSCO.O in realtime. You can use multiple such replacement variables in your url or postargs. Such replacement variables should be wrapped between 3 underscores. Note that field names being passed this was are case-sensitive. Having ‘FieldName’ vs. ‘fieldname’ makes a difference.

    You can also use the special variable ___QUERY_STRING___ to replace the complete query string post.

    Check the ‘dynamic URL and on_error handling’ example from below, where the get argument ‘symbol’ is used to dynamically build a URL and fetch content.

    Query

    This article specifically details usage of query which are the heart of Crawlomatic. For parsing html, the plugin three types of queries- CSS Selectors; XPath and Regular Expression. Selectors are not only used by Crawlomatic to query data from source URL, but also to remove or replace stuff

    For all scraping that deals with DOM documents (XML, HTML etc) CSS Selectors and XPaths can support all possible use cases. Regular Expression is provided as a query option for extreme edge cases or non-DOM content.

    CSS Selectors

    CSS selectors are patterns used to select the element(s) you want to style. CSS selectors are less powerful than XPath, but far easier to write, read and understand.

    Many developers — particularly web developers — are more comfortable using CSS selectors to find elements. As well as working in stylesheets, CSS selectors are used in JavaScript with thequerySelectorAll function and in popular JavaScript libraries such as jQuery, Prototype and MooTools.

    The CSS Selector Reference on w3schools is recommended to get you started. You may also want to try the CSS Selector Tester from w3schools.

    Internally, Crawlomatic converts the CSS Selector into an XPath expressions using Symfony’s CssSelector Component.

    XPath

    The XPath language is based on a tree representation of the XML document, and provides the ability to navigate around the tree, selecting nodes by a variety of criteria. In popular use (though not in the official specification), an XPath expression is often referred to simply as “an XPath”.

    When you’re parsing an HTML or an XML document, by far the most powerful method is XPath. XPath expressions are incredibly flexible, so there is almost always an XPath expression that will find the element you need.

    XPath Syntax and XPath Examples on w3schools is a good starting point.

    Internally, Crawlomatic relies on PHP DOM and uses DOMXPath::query to evaluate XPath expressions.

    Regular Expression

    A regular expression (abbreviated regex or regexp) and sometimes called a rational expression is a sequence of characters that forms a search pattern, mainly for use in pattern matching with strings, or string matching, i.e. “find and replace”-like operations. Each character in a regular expression is either understood to be a metacharacter with its special meaning, or a regular character with its literal meaning.

    This Introduction to Regex is a great place to start with Regex. You can also use regexr.com to check your Regular Expressions.

    Internally, Crawlomatic relies on Regular Expressions (Perl-Compatible) and uses preg_match_all to perform a global regular expression match.

    Arguments API

    Unless mentioned, all these arguments are available in the template tag as well as shortcode. Here’s how these arguments will be used.

    In shortcode:

    Advertisement
    Advertisement
    Advertisement

    In template tag:

    <?php echo crawlomatic_scraper_get_content("https://www.yahoo.com/", ".stream-item", array('query_type' => 'cssselector', 'output' => 'text')); ?>

    For representational purposes, these arguments are categorized below as Request, Response or Parsing ones.

    Request Arguments

    These set of arguments deal with the way requests are made to the source URL to fetch content

    url

    Required. The complete URL which needs to be scraped.

    cache

    Timeout interval of the cached data in minutes. This is dependent on how frequently your source URL is expected to change content. If the content is not changed often, it is recommended to keep this as higher as possible to save external requests. To set an infinite caching period (never scrape the page again), please set this value to 0. If ignored, the default value specified in Crawlomatic Settings will be used. It is strongly recommended to use a Persistent Cache Plugin for better caching performance.

    Default: 60

    useragent

    The USERAGENT header for making request. This string acts as your footprint while scraping data. If ignored, the default value specified in Crawlomatic Settings will be used.

    Default: Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/86.0.4240.198 Safari/537.36

    timeout

    Request timeout in seconds. Higher the interval, better for scraping from slow server source URLs. But this will also increase your page load time. Ideally should not exceed 2. If ignored, the default value specified in Crawlomatic Settings will be used.

    Default: 3

    headers

    A string in query string format (like id=197&cat=5) of the post arguments that you may want to pass on to the source URL. Note that get arguments should be a part of URL itself and this argument should only be used for post arguments.

    urldecode

    Only available in shortcode. Handy for URLs with characters (like [ or ]) that may interfere with shortcode. Gives you an opportunity to enter a urlencoded string as URL. Values can be 1 or 0. Set to 1 to use urldecode for URLs with special characters. Set to 0 to use URL without modification.

    Default: 0

    querydecode

    Only available in shortcode. Handy for query with characters (like [ or ]) that may interfere with shortcode. Gives you an opportunity to enter a urlencoded string as query. Strongly recommended if you are using xpath as query_type. Values can be 1 or 0. Set to 1 to use querydecode for URLs with special characters. Set to 0 to use URL without modification.

    Default: 0

    Response Arguments

    These set of arguments deal with the way the parsed response from source URL is displayed

    output

    Format of output rendered by the selector. Values can be text or html. Text format strips all html tags and returns only text content. Html format retains the the html tags in output.

    Default: html

    on_error

    Error handling options for response. Values can be error_show or error_hide or any other string. error_show displays the error; error_hide fails silently without any error display while any other string will print the string itself. For instance on_error=”screwed!” will output ‘screwed!’ if something goes wrong. If ignored, the default value specified in Crawlomatic Settings will be used.

    Default: error_show

    debug

    Display of debug information. Values can be 1 or 0. Set to 1 to turn on debug information in form of an html comment before scrap output or set to 0 to turn it off.

    Default: 0

    Parsing Arguments

    These set of arguments provide options for parsing the content received from the source URL

    query

    Query string to select the content to be scraped. The query can be of type cssselector or xpath or regex. If query is empty, complete response will be returned without any querying. Read more about this in the query documentation above.

    Default: (empty string)

    query_type

    Type of query. Values can be cssselector, xpath, regex, regexmatch, iframe or auto. If query is blank, complete response will be returned without any querying irrespective of query_type. Read more about these query types in the query documentation below.

    Default: auto

    glue

    String to be used to concatenate multiple results of query. For example if your (cssselector or xpath or regex) query returns 5 <p> elements, then this sting will be used to join all these 5.

    Default: PHP_EOL

    eq

    Filter argument to reduce the set of matched elements to the one at the specified index. Values can be first or last or an integer to represent a 0 based index (similar to eq implementation of jQuery API).

    If ignored: All elements are returned.

    gt

    Filter argument to select all elements at an index greater than index within the matched set. Value can be an integer to represent a 0 based index. All elements with indexes greater then this value are returned (similar to eq implementation of jQuery API).

    If ignored: All elements are returned.

    lt

    Filter argument to select all elements at an index lesser than index within the matched set. Value can be an integer to represent a 0 based index. All elements with indexes lesser then this value are returned (similar to eq implementation of jQuery API).

    If ignored: All elements are returned.

    remove_query

    Similar to query, however this query is used to remove matched content from the output. Read more about this in the query documentation from this page.

    If ignored: No content is removed.

    remove_query_type

    Type of query. Values can be cssselector or xpath or regex or none. If remove_query is blank, complete response will be returned without removing anything. Read more about this in the query documentation from this page.

    Default: none

    replace_query

    Similar to query, however this query is used to replace matched content with string specified in argument replace_with. Read more about this in the query documentation from this page.

    If replace_query_type is regex, this parameter can also be a serialized urlencoded array created like this:

    urlencode(serialize($array))

    That way, you can pass an array argument to the underlying preg_replace function.

    If ignored: No content is replaced.

    replace_query_type

    Type of query. Values can be cssselector or xpath or regex or none. If replace_query is blank, complete response will be returned without replacing anything. Read more about this in the query documentation from this page.

    Default: none

    replace_with

    String to replace content matched by replace_query.

    If replace_query_type is regex, this parameter can also be a serialized urlencoded array created like this:

    urlencode(serialize($array))

    That way, you can pass an array argument to the underlying preg_replace function.

    If ignored: Content matched by replace_query will be replaced by empty string (will be removed)

    basehref

    Converts relative links from the scrap to absolute links. This can be handy to keep relative links functional. Values can be 1 or 0 or a specific URL which would be used to convert relative links to absolute links. Setting basehref to 1 will use the source URL itself intuitively to convert relative URL to absolute; setting basehref to 0 will not do any conversion; while setting basehref to a specific URL will use that URL as the base for conversion. Note that basehref needs to be a complete URL (with http, hostname, path etc).

    If ignored: basehref conversion will be skipped

    a_target

    Sets a specified target attribute for all links (a href). This can be handy to make sure external links open in a separate window. Values can be _blank or _self or _parent or _top or your custom framename. However note that there’s no validation and the argument value provided by you is used as is.

    If ignored: a target modification will be skipped

    callback_raw

    Callback function which will parse the scraped content in its most raw form. This callback function (if specified) is called before any of the above parsing arguments are applied. Handy to do some advanced parsing. Read more about this in the callback documentation on this page.

    callback

    Callback function which will parse the scraped content in its processed form. This callback function (if specified) is called after all of the above parsing arguments are applied. Handy to do some advanced parsing. Read more about this in the callback documentation on this page.

    Minimum requirements & dependencies of the new shortcode

    As Crawlomatic is a WordPress plugin, so over and above the minimum requirements of WordPress, you need to have a couple of things:

    That’s really it.

    Crawlomatic uses native WordPress APIs wherever possible. It uses HTTP API for making HTTP requests and Transients API for caching.

    How to optimize performance?

    Here are some tips to help you optimize the usage:

    1. Keep the timeout as low as possible (least is 1 second). Higher timeout might impact your page processing time if you are dealing with content on slow servers.
    2. Strongly recommended to use a Persistent Cache Plugin and enable Disk or Memory based Object Cache for better caching performance. There can be some serious issues if you are scraping quite a lot and not using a persistent cache plugin.
    3. If you are not using a Persistent Cache Plugin, then the underlying Transients API will fallback on WordPress options table (wp_options) to store cache. This might lead to issues if your site is located on a shared hosting. To avoid such issues, either use a Persistent Cache Plugin or delete expired transients occasionally.
    4. If you are scraping a lot, keep a watch on your cache size too. Clear/Flush cache occasionally.
    5. If you plan use multiple scrapers in a single page, make sure you set the cache timeout to a larger period. Possibly as long as a day (i.e. 1440 minutes) or even more. This will cache content on your server and reduce scraping.
    6. Use fast loading pages (URL sources) as your content source. Also prefer pages low in size to optimize performance.
    7. Keep a close watch on your scraper. If the website changes its page layout, your selector may fail to fetch the right content.

    Using proxies

    1. If you use the get_page_using parameter, at any value excepting wp_remote_request, the plugin will use the proxy set in the plugin’s ‘Main Settings’ -> ‘Web Proxy Address List’ settings field.
    2. If you use the get_page_using parameter with the wp_remote_request value, using proxies to make requests via this plugin is same as using the HTTP API with a Proxy. The allowed Proxy settings for the wp-config.php are the following:
    # HTTP Proxies
    # Used for e.g. in Intranets
    # Fixes Feeds as well
    # Defines the proxy adresse.
    define( 'WP_PROXY_HOST', '127.0.84.1' );
    # Defines the proxy port.
    define( 'WP_PROXY_PORT', '8080' );
    # Defines the proxy username.
    define( 'WP_PROXY_USERNAME', 'my_user_name' );
    # Defines the proxy password.
    define( 'WP_PROXY_PASSWORD', 'my_password' );
    # Allows you to define some adresses which
    # shouldn't be passed through a proxy.
    define( 'WP_PROXY_BYPASS_HOSTS', 'localhost, www.example.com' );
    
    

    Examples:

     

            1. JSON and callback

    Parse a JSON URL source (http://ip.jsontest.com/) using a custom callback function

    Shortcode:

    Error fetching: Failed to reach website: http://ip.jsontest.com/

    Callback function: 

    This is a sample callback function that needs to be placed into functions.php of your child theme:
    function json_parser_callback($content){
        $object = json_decode(trim($content));
        return $object->ip;
    }

    Template tag: 

    <?php echo crawlomatic_scraper_get_content(‘http://ip.jsontest.com/’, ”, array(‘basehref’ => 0, ‘callback’ => ‘json_parser_callback’)); ?>

     

            2. dynamic URL and on_error handling

    Fetch stock quotes chart image from reuters.com and make sure links and image sources are not broken. Display a nice error message. (View this same page with a symbol argument for Google, Microsoft and Apple)

    Shortcode:

    Stock symbol argument not passed or specified symbol not found

    Template tag: 

    <?php echo crawlomatic_scraper_get_content(‘https://nasdaq.com/market-activity/stocks/’, ‘.quote-page-chart__chart-container’, array(‘a_target’ => ‘_blank’, ‘on_error’ => ‘Stock symbol argument not passed or specified symbol not found’)); ?>

     

            3. basehref auto correction and a_target

    Fetch US Market Indices from reuters.com and make sure links and image sources are not broken.

    Shortcode:

    Error fetching: Failed to reach website: https://nasdaq.com/market-activity/stocks

    Template tag: 

    <?php echo crawlomatic_scraper_get_content(‘https://nasdaq.com/market-activity/stocks’, ‘#tab1 table.dataTable’, array(‘a_target’ => ‘_blank’)); ?>

           

            4. xpath query on RSS feed, lt and text output

    Fetch ‘Hot Google searches’ using the RSS feed (https://www.google.com/trends/hottrends/atom/feed) using an XPath query and display only the first 10 items as a list.

    Shortcode:

    Error fetching: Failed to reach website: https://www.google.com/trends/hottrends/atom/feed

    Template tag: 

    <?php echo crawlomatic_scraper_get_content(‘https://www.google.com/trends/hottrends/atom/feed’, ‘//channel/item/title’, array(‘query_type’ => ‘xpath’, ‘glue’ => ‘<br />’, ‘output’ => ‘text’, ‘lt’ => 10)); ?>

            5. remove_query and a_target

    Fetch stock quotes chart image from reuters.com and make sure links and image sources are not broken. Display a nice error message. (View this same page with a symbol argument for Google, Microsoft and Apple)

    Shortcode:

    Error fetching: Failed to reach website: http://www.reuters.com/finance/markets

    Template tag: 

    <?php echo crawlomatic_scraper_get_content(‘http://www.reuters.com/finance/markets’, ‘#content’, array(‘query_type’ => ‘cssselector’, ‘remove_query_type’ => “cssselector”, ‘remove_query’ => ‘#tab1 table.dataTable’ , ‘a_target’ => ‘_blank’)); ?>

    Update: Featured Image From URL (FIFU) plugin integration to CodeRevolution’s Plugins!

    New Update: Featured Image From URL (FIFU) free plugin integration to CodeRevolution’s Plugins!

    🔎 RESOURCES MENTIONED 👇
    Check my plugins ► https://1.envato.market/coderevolutionplugins
    Featured Image from URL | FIFU
    https://wordpress.org/plugins/featured-image-from-url/

    🤔 ABOUT THIS VIDEO 👇
    My plugins are getting new updates that will make them to be able to be integrated with the Featured Image From URL (FIFU) free WordPress plugin that will allow the posts generated by my plugins to use remote images as post featured images. No longer need to fill your hosting space with image files for generated posts. Don’t forget to install the free Featured Image From URL (FIFU) plugin when activating this new feature in my plugins!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Cyber Monday Bonus: Giving away 2 Plugins for FREE until 3rd December 2020

    Check this new Cyber Monday WordPress Plugin Give Away: I am offering 2 Premium Plugins for FREE until 3rd December 2020!

    🔎 RESOURCES MENTIONED 👇
    Cash Alert – Impact Radius Affiliate Plugin for Envato Marketplaces ► https://coderevolution.ro/product/cash-alert-impact-radius-affiliate-plugin-for-envato-marketplaces/
    Viral Content King ► https://coderevolution.ro/product/viral-content-king/
    50% OFF for my CodeCanyon Plugins ► https://coderevolution.ro/cyber-monday-sale/
    Other plugins from my shop ► https://coderevolution.ro/shop/

    🤔 ABOUT THIS VIDEO 👇
    To give this great community back some love during this Black Friday and Cyber Monday period, I am offering 2 FREE plugins as a giveaway to all the great people who watch my YouTube videos. Check the plugins below, and get them for free, for a limited time only!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Black Friday / Cyber Monday 2020 – Second Batch of Discounted Plugins!

    The good news continues! Based on popular demand, I added a second batch of plugins to the Black Friday / Cyber Monday discount!

    🔎 RESOURCES MENTIONED 👇
    Black Friday / Cyber Monday Deal ► https://coderevolution.ro/cyber-monday-sale/
    Check all my plugins ► https://codecanyon.net/user/coderevolution/portfolio
    Mega WordPress ‘All-My-Items’ Bundle by CodeRevolution ► https://1.envato.market/bundle

    🤔 ABOUT THIS VIDEO 👇
    Because of a popular demand, I added another batch of plugins to the Black Friday discounts from this year. In this new batch, there where added 18 plugins to the discounts, in total, there are 36 discounted plugins. Check them on this link: https://coderevolution.ro/cyber-monday-sale/

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Black Friday / Cyber Monday 2020 – 50% OFF for CodeRevolution’s Plugins!

    I have great news today! I started the Black Friday / Cyber Monday discount campaign for 2020!

    🔎 RESOURCES MENTIONED 👇
    Black Friday / Cyber Monday Deal ► https://coderevolution.ro/cyber-monday-sale/
    Check all my plugins ► https://codecanyon.net/user/coderevolution/portfolio
    Mega WordPress ‘All-My-Items’ Bundle by CodeRevolution ► https://1.envato.market/bundle

    🤔 ABOUT THIS VIDEO 👇
    Looking for the best Black Friday and Cyber Monday deals on your favorite WordPress products created by CodeRevolution? The next few days are the perfect time to buy premium WordPress plugins to grow your business!
    Check the link above for details. These offers are LIMITED TIME only. I’ve indicated the expiration date on the top of the offers page. Don’t miss out on the discounted plugins (50% off), promotion ends on 3rd December 2020!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Learnomatic plugin updated: now working with Rakuten Affiliate API

    The Learnomatic plugin was updated, now it is able to use also the Rakuten Affiliate API!

    🔎 RESOURCES MENTIONED 👇
    Learnomatic ► https://1.envato.market/learnomatic

    🤔 ABOUT THIS VIDEO 👇
    The Learnomatic plugin was updated, now it is able to get Udemy courses also from the Rakuten Affiliate API. This change was needed because the Udemy API is not giving away new API keys any more. You will be able to use the new Rakuten API to get courses from Udemy and to promote them automatically as an affiliate. Give it a try now!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    WP Setup Wizard – Tutorial Part 8 – Branding & Reset

    This is the 8th part of the tutorial video series for the WP Setup Wizard plugin – Branding & Reset

    🔎 RESOURCES MENTIONED 👇
    WP Setup Wizard Plugin ► https://1.envato.market/WPSetupWizard
    WP Setup Wizard Full Tutorial Videos Playlist► https://www.youtube.com/playlist?list=PLEiGTaa0iBIjOiZM2FQJJMiroKAraOR2o />
    🤔 ABOUT THIS VIDEO 👇
    The WP Setup Wizard plugin will help you launch a Google ready WordPress site (with all required content and settings) in just 3 MINUTES (and also without doing any boring manual setup work on the site)! Do a quick setup for any WordPress site!
    You will get rid of the following boring tasks:
    – Deleting all the default posts, pages and comments
    – Doing all the WordPress general setup settings
    – Having the right SEO settings so your site shows up in Google correctly
    – Creating must have pages like the “About us”, “Privacy Policy”, “Contact Us”, Affiliate Disclaimers, Amazon Disclaimers, Copyright Pages and many more other pages that might be required in the case of the site you set up
    – Installing all the important themes and plugins you need to have on the site
    – Creating all the categories and tags you need on your new site

    This specific tutorial video will focus on the “Branding & Reset” feature of the plugin, which will allow you to brand your site to make it different from other WordPress site and also it will allow you to reset your site to the state it had right after you installed WordPress to it!
    Check the plugin on the link from above!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    WP Setup Wizard – Tutorial Part 7 – Monetize & Speed

    This is the 7th part of the tutorial video series for the WP Setup Wizard plugin – Quick Setup Wizard

    🔎 RESOURCES MENTIONED 👇
    WP Setup Wizard Plugin ► https://1.envato.market/WPSetupWizard
    WP Setup Wizard Full Tutorial Videos Playlist► https://www.youtube.com/playlist?list=PLEiGTaa0iBIjOiZM2FQJJMiroKAraOR2o

    🤔 ABOUT THIS VIDEO 👇
    The WP Setup Wizard plugin will help you launch a Google ready WordPress site (with all required content and settings) in just 3 MINUTES (and also without doing any boring manual setup work on the site)! Do a quick setup for any WordPress site!
    You will get rid of the following boring tasks:
    – Deleting all the default posts, pages and comments
    – Doing all the WordPress general setup settings
    – Having the right SEO settings so your site shows up in Google correctly
    – Creating must have pages like the “About us”, “Privacy Policy”, “Contact Us”, Affiliate Disclaimers, Amazon Disclaimers, Copyright Pages and many more other pages that might be required in the case of the site you set up
    – Installing all the important themes and plugins you need to have on the site
    – Creating all the categories and tags you need on your new site

    This specific tutorial video will focus on the “Monetize & Speed” feature of the plugin, which will allow you to set up monetization on your site with affiliate links from Amazon, eBay, ClickBank, Envato, Commission Junction, GearBest, AliExpress, Walmart and Etsy! It will also be able to speed up the load speed and increase the page speed score of your website
    Check the plugin on the link from above!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    WP Setup Wizard – Tutorial Part 5 – Security

    This is the 5th part of the tutorial video series for the WP Setup Wizard plugin – Security

    🔎 RESOURCES MENTIONED 👇
    WP Setup Wizard Plugin ► https://1.envato.market/WPSetupWizard
    WP Setup Wizard Full Tutorial Videos Playlist► https://www.youtube.com/playlist?list=PLEiGTaa0iBIjOiZM2FQJJMiroKAraOR2o />
    🤔 ABOUT THIS VIDEO 👇
    The WP Setup Wizard plugin will help you launch a Google ready WordPress site (with all required content and settings) in just 3 MINUTES (and also without doing any boring manual setup work on the site)! Do a quick setup for any WordPress site!
    You will get rid of the following boring tasks:
    – Deleting all the default posts, pages and comments
    – Doing all the WordPress general setup settings
    – Having the right SEO settings so your site shows up in Google correctly
    – Creating must have pages like the “About us”, “Privacy Policy”, “Contact Us”, Affiliate Disclaimers, Amazon Disclaimers, Copyright Pages and many more other pages that might be required in the case of the site you set up
    – Installing all the important themes and plugins you need to have on the site
    – Creating all the categories and tags you need on your new site

    This specific tutorial video will focus on the “Security” feature of the plugin, which will allow you to make your site more secure, protecting yourself from malicious attacks and login attempts. It will even protect the content of your website by not allowing people to right click or to select text on your site!
    Check the plugin on the link from above!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    WP Setup Wizard – Tutorial Part 4 – Themes & Plugins

    This is the 4th part of the tutorial video series for the WP Setup Wizard plugin – Themes & Plugins

    🔎 RESOURCES MENTIONED 👇
    WP Setup Wizard Plugin ► https://1.envato.market/WPSetupWizard
    WP Setup Wizard Full Tutorial Videos Playlist► https://www.youtube.com/playlist?list=PLEiGTaa0iBIjOiZM2FQJJMiroKAraOR2o />
    🤔 ABOUT THIS VIDEO 👇
    The WP Setup Wizard plugin will help you launch a Google ready WordPress site (with all required content and settings) in just 3 MINUTES (and also without doing any boring manual setup work on the site)! Do a quick setup for any WordPress site!
    You will get rid of the following boring tasks:
    – Deleting all the default posts, pages and comments
    – Doing all the WordPress general setup settings
    – Having the right SEO settings so your site shows up in Google correctly
    – Creating must have pages like the “About us”, “Privacy Policy”, “Contact Us”, Affiliate Disclaimers, Amazon Disclaimers, Copyright Pages and many more other pages that might be required in the case of the site you set up
    – Installing all the important themes and plugins you need to have on the site
    – Creating all the categories and tags you need on your new site

    This specific tutorial video will focus on the “Themes & Plugins” feature of the plugin, which will allow you to automatically install and activate a list of themes and plugins you select!
    Check the plugin on the link from above!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    WP Setup Wizard – Tutorial Part 3 – Legal

    This is the 3rd part of the tutorial video series for the WP Setup Wizard plugin – Legal

    🔎 RESOURCES MENTIONED 👇
    WP Setup Wizard Plugin ► https://1.envato.market/WPSetupWizard
    WP Setup Wizard Full Tutorial Videos Playlist► https://www.youtube.com/playlist?list=PLEiGTaa0iBIjOiZM2FQJJMiroKAraOR2o />
    🤔 ABOUT THIS VIDEO 👇
    The WP Setup Wizard plugin will help you launch a Google ready WordPress site (with all required content and settings) in just 3 MINUTES (and also without doing any boring manual setup work on the site)! Do a quick setup for any WordPress site!
    You will get rid of the following boring tasks:
    – Deleting all the default posts, pages and comments
    – Doing all the WordPress general setup settings
    – Having the right SEO settings so your site shows up in Google correctly
    – Creating must have pages like the “About us”, “Privacy Policy”, “Contact Us”, Affiliate Disclaimers, Amazon Disclaimers, Copyright Pages and many more other pages that might be required in the case of the site you set up
    – Installing all the important themes and plugins you need to have on the site
    – Creating all the categories and tags you need on your new site

    This specific tutorial video will focus on the “Legal” feature of the plugin, which will allow you to set up a fully GDPR compliant website! It will add a GDPR request form to your site and cookie consent notices.
    Check the plugin on the link from above!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    WP Setup Wizard – Tutorial Part 1 – Quick Setup Wizard

    This is the first part of the tutorial video series for the WP Setup Wizard plugin – Quick Setup Wizard

    🔎 RESOURCES MENTIONED 👇
    WP Setup Wizard Plugin ► https://1.envato.market/WPSetupWizard
    WP Setup Wizard Full Tutorial Videos Playlist► https://www.youtube.com/playlist?list=PLEiGTaa0iBIjOiZM2FQJJMiroKAraOR2o />
    🤔 ABOUT THIS VIDEO 👇
    The WP Setup Wizard plugin will help you launch a Google ready WordPress site (with all required content and settings) in just 3 MINUTES (and also without doing any boring manual setup work on the site)! Do a quick setup for any WordPress site!
    You will get rid of the following boring tasks:
    – Deleting all the default posts, pages and comments
    – Doing all the WordPress general setup settings
    – Having the right SEO settings so your site shows up in Google correctly
    – Creating must have pages like the “About us”, “Privacy Policy”, “Contact Us”, Affiliate Disclaimers, Amazon Disclaimers, Copyright Pages and many more other pages that might be required in the case of the site you set up
    – Installing all the important themes and plugins you need to have on the site
    – Creating all the categories and tags you need on your new site

    This specific tutorial video will focus on the “Quick Setup Wizard” feature of the plugin, which will allow you to configure your site in a lightning fast way!
    Check the plugin on the link from above!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    I was featured in Envato’s $1bln Community Earnings Video! Thank you, Envato!

    Me and my daughter Maya were featured in Envato’s $1bln Community Earnings video! Congrats Envato and thank you for adding me in the video!

    🔎 RESOURCES MENTIONED 👇
    Author Stories – $1 Billion in Community Earnings! ► https://www.youtube.com/watch?v=wvIaTj99ONY (I appear at minute 1:34)

    🤔 ABOUT THIS VIDEO 👇
    The Authors on Envato now have now made a combined earnings of $1Billion USD! It’s a huge milestone, and to celebrate Envato asked us, the Congratulations Envato on the 1 Billion milestone ! With your help, I managed to create my own business and work from home (for 4 years now) and spend a lot more time with my family – this is the most important part for me, since my daughter was born. Also, thank you for featuring me in this video! Thank you for how you changed my life!
    Authors to share stories about how Envato has made a difference in our life. Fortunately, Envato selected the video I submitted and added it to it’s celebration video. Check it on the link from above! Thank you Envato and congrats for this great milestone!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Echo RSS Plugin Update: Filter imported posts from RSS Feeds by post author name

    The Echo RSS Feed Post Generator plugin was updated, now it can filter imported posts from RSS feeds by author name!

    🔎 RESOURCES MENTIONED 👇
    Echo RSS Feed Post Generator ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇
    This plugin adds the ability to import content from an external XML/RSS file, or from an uploaded XML/RSS and add the content to any post type in your WordPress install. It also supports importing content based on post author that is listed inside the RSS feed. This feature will make importing of content more precise and you will be able to get from inside the feeds you use exactly the content you want to target. This update will make the plugin a real niche content magnet!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Content Syndication for WordPress with the Echo RSS Post Generator Plugin

    Echo RSS Feed Post Generator is the best WordPress content syndication Plugin to import, syndicate, import, curate and publish posts from RSS feeds

    🔎 RESOURCES MENTIONED 👇
    Echo RSS Feed Post Generator ► https://1.envato.market/echo
    CodeRevolution ► https://coderevolution.ro

    🤔 ABOUT THIS VIDEO 👇
    Echo RSS Post Generator a ground breaking WordPress plugin that will help you with content syndication, importing, curating and publishing WordPress post from other websites into your own blog for your readers. It can grab full content RSS full content articles, even if the RSS feeds contain only partial article content.
    Some more features of the plugin:
    – Featured Images: Full support of featured images, all done in the backend by default.
    – SEO Friendly: Follows the Best Search Engine Optimization Practices from Google & Bing
    – Curation: Insanely Powerful Filters using Keywords or Regular Expressions (RegEx)
    – Cron Scheduling: Automatically import feeds items using cron – Frequency as low as 10 mins.
    – Multiple Authors: Assign Any Imported RSS Feed source to a specific Author – No limits.
    – Multiple Categories & Tags: assign your imported rss feeds articles to multiple categories or Tags.
    – Local Image Storage: no image hotlinking anymore, YOU decide what to do.
    – Unlimited Feeds: Create as many feed sources and get content from all of them, in a snap
    – No Shortcode BS: Simple template parameters for formatting imported content. IDIOT-PROOF !

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission. I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ECHORSS #AUTOBLOGGING #RSSFEED #CONTENTAGGREGATOR

    Set up Temporary WordPress sites for FREE, with the push of a button (no sign-up required)!

    Free and automatic generator of WordPress sites. Test WordPress on different PHP Versions and settings.
    🔎 RESOURCES MENTIONED 👇
    TasteWP ► https://tastewp.com/a/coderevolution

    🤔 ABOUT THIS VIDEO 👇
    You can set up a temporary WordPress site, with the push of a button, completely for free (no account or sing-up required). For more info, watch this video! Get started with WordPress quickly and migrate your work to the site you want to use permanently. Play around with new themes & plugins before using them on your “real” site​. Clone your live site to this demo site to try out things you don’t want to do on live​. Send newbies to this site to experience a WP onboarding tour​. And these are just some of the many use cases I can think of, where you can benefit of the features offered by this website! Set up your free WordPress test site now.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #WORDPRESS #TEMPORARYWORDPRESS #TESTSITE #DEMOSITE

    The rise and fall of Browser Crypto Mining (is this still a thing in 2020?)

    Learn more about how crypto mining was possible in web browsers and how they managed to become flagged as malware by antivirus software!

    🔎 RESOURCES MENTIONED 👇
    WebMinePool Virtual Crypto Farm Plugin for WordPress ► https://coderevolution.ro/product/webminepool-virtual-crypto-farm-plugin-for-wordpress/
    My Little Plugin Shop ► https://coderevolution.ro/shop/

    🤔 ABOUT THIS VIDEO 👇
    Crypto mining scripts worked very well back in 2018, there was also CoinHive, a big player in the market, with high quality scripts and service, which was shut down since then.
    The reason why it shut down and the reason why browser crypto mining went downhill was because people saw the great potential it had and started abusing this tech like crazy. You could see websites with crypto mining firing up in the background, using all CPU cores with 100% usage, without asking any visitor consent. They practically had no limitation on settings, scripts could be set up to use as many resources as there were available on user machines.
    AdBlockers picked this behavior up and started blocking the miner scripts. Even worse, antivirus companies picked this up also (and took it personally), they categorized all crypto miner scripts as malware. Since this happened, people get a warning from their AV program that the website they are using contains malware…
    Crypto mining companies were hit like crazy by this, some tried to adapt and survive, some tried the nice way and were not running without user consent (but still, no change in AV behavior because of this), others tried obfuscating their scripts and hiding their presence from AVs (the smart ones still catch up).
    Back then, i also jumped in on this idea, i found it very promising, even created 4 WordPress plugins that very specially designed for browser based crypto mining (for CoinHive, CoinImp, CryptoLoot and WebMinePool) but i had to shut down all these ideas because of the paradigm shift caused by greedy webmasters who used up all visitor CPU resources.
    Even CodeCanyon removed all crypto miner scripts from their market (yes, before the change, they were accepting them also).

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #BROWSERMINING #CRYPTOMINING #COINHIVE #BROWSERCRYPTOMINING

    Just 2 days left to Get IFTTT Pro for 1.99 per month (offer ends 1st November)!

    If you want to use IFTTT on it’s full potential after 1st of November 2020, go Pro now and save at least 2$ per month per subscription!

    🔎 RESOURCES MENTIONED 👇
    IFTTT Pro ► https://ifttt.com/pro
    IFTTT Pro Features ► https://ifttt.com/explore/pro_new_features

    🤔 ABOUT THIS VIDEO 👇
    Only 2 days left to set your price and upgrade before Applets are archived. Starting November 1, new subscriptions will cost $3.99 per month.
    Get Pro and unlock:
    – Unlimited Applet creation
    – Multi-step Applets
    – Queries and conditional logic
    – Multiple actions
    – Higher rate limits for popular services
    – Faster Applet execution
    – Customer support
    Not sure if Pro is the right plan, check out Top 3 reasons to go Pro by October 31: https://ifttt.com/explore/top_reasons_to_upgrade_to_pro_by_oct31
    For more information, see What happens if I do not upgrade to Pro: https://help.ifttt.com/hc/en-us/articles/360055682873-What-happens-if-I-do-not-upgrade-to-IFTTT-Pro-

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    How to Create Custom Animated Banner Images for Free (GIF Files)

    These tips will help you to create a FREE animated banner image to promote your products. For more info, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Mentioned website ► https://auto.creavite.co/
    Example Banner That I Created ► https://i.ibb.co/XXYqhFk/350kb.gif

    🤔 ABOUT THIS VIDEO 👇

    Let me share with you guys a website that I found today, that will allow you to create custom animated banner images (gif files) for FREE. Using a banner that you create using this tool, you can make ads and increase your website traffic. To use this free online tool, you need to select a banner template and add the text that you wish to appear on the selected template. After this, you can generate the animated banner, for free. If the result looks good, you can download the animated banner (in a gif format) by clicking on the “Download” button.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    How to Link to Other YouTube channels in video titles & descriptions

    This video will teach you how to link to YouTube channels from video titles and descriptions.

    🤔 ABOUT THIS VIDEO 👇

    When you mention another creator in your video title or description, their name will link to their channel page and they’ll get a notification in their inbox.
    A video that mentions your channel may show up to your fans as a recommendation, but the presence of your channel in that video doesn’t increase the likelihood of it appearing to your fans.
    When creating or editing the title or description of a video, type the “@” symbol followed by their channel name, and then select it. For example, “Learning world history with @Google.”
    You can mention as many people as you want as long as their names fit within the character limit. Only creators with more than 1,000 subscribers can be mentioned.
    Note: You can only mention someone from YouTube Studio on your computer. Editing a video with an existing mention on mobile will replace that mention from the video with text.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #YOUTUBE #MENTIONCHANNEL #YOUTUBEMENTION #CHANNELMENTION

    Echo RSS Feed Post Generator Major Update: v5.0

    The Echo RSS Feed Post Generator was updated, a major update was made to it. Check this video for details.

    🔎 RESOURCES MENTIONED 👇
    Echo RSS Feed Post Generator Plugin ► https://1.envato.market/echo

    🤔 ABOUT THIS VIDEO 👇

    RSS feeds are a means of distributing the latest articles published by a website, like news on politics and sport. However, usually, they are not easy to find, you need to do a bit of research to find some quality feeds. The Echo RSS Feed Post Generator plugin was updated, now it is able to search for RSS feeds based on keywords, URL or hashtag. Using this new feature you will be able to detect RSS feeds for websites, to find new RSS feeds for topics and to get more diverse content imported to your site.
    Check this video for details.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Fix Facebook or Instagram Embeds Not Working on your WordPress site

    This video will help you fix Facebook and Instagram embeds after the 24 October 2020 policy change, for more info, watch this video!

    🔎 RESOURCES MENTIONED 👇
    oEmbed Plus WordPress Plugin ► https://wordpress.org/plugins/oembed-plus/

    🤔 ABOUT THIS VIDEO 👇

    WordPress supports embedding external content such as Facebook videos, Instagram photos, YouTube videos, etc from the URL.
    Facebook deprecates legacy oEmbed API on 2020 October 24
    The legacy API WordPress used to fetch embed contents did not require any credentials such as an access token to function, which made it possible to embed Facebook and Instagram content without any additional configuration.
    Facebook is to deprecate the legacy oEmbed API on 2020 October 24.
    The new self-plug WordPress plugin oEmbed Plus brings back the support for Facebook and Instagram oEmbed using Facebook’s new API endpoints.
    Once installed, this plugin needs to know a Facebook App access token to function. You can set the API key and secret in Admin Dashboard → Settings → Writing.
    With a Facebook acccount and logged into it, head to Facebook Developer Apps list to create a new app. Click “Add a New App”, and select “For Everything Else” for the use of it.
    You will need to enter a name for the app and an email. The app name can be any name. Name and email will not be shown in the WordPress front end at all.
    Add oEmbed to the app. Once the app is created, you need to enable oEmbed feature for the app.
    From the “Products” list, add oEmbed by clicking “Set Up”.
    Enter additional App details
    In order to complete and retrieve API keys, the app needs to be live and complete.
    The minimum requirement is setting a privacy policy. You can use pretty much any URL as the technical side is considered, but use a proper privacy policy if you have one.
    Switch App to Live mode
    Using the toggle on the top of the page that says “In Development”, you can now switch the app to live mode.
    You will be asked to enter additional details if anything is missing.
    Get App ID and Secret and enter in plugin settings
    To retrieve the App ID and Secret key, go to Settings → Basic in the Facebook app. You will see the App ID and Secret, which you can enter in the WordPress oEmbed Plus settings.
    That’s it. Your existing embedded content will continue to work (as they are stored as rendered HTML content). New Facebook and Instagram content will use the new authenticated API.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #FIXFACEBOOKEMBED #FIXINSTAGRAMEMBED #FACEBOOKEMBEDFIX #INSTAGRAMEMBEDFIX

    How to fill out Envato Tax Information? W9, W8 or W8-BEN, US Withholding Tax?

    These tips will help you to fill out Envato’s Tax Information and decrease your USA Withholding tax!

    🔎 RESOURCES MENTIONED 👇
    How to find your Tax ID ► http://www.oecd.org/tax/automatic-exchange/crs-implementation-and-assistance/tax-identification-numbers/
    How to find your US Withholding Tax Percentage ► https://www.irs.gov/pub/irs-utl/Tax_Treaty_Table_1_2019_Feb.pdf (to get the percentage, search for your country in the Royalties — Copyrights column – next column will be the article ID)

    🤔 ABOUT THIS VIDEO 👇

    If you are an author on any of the Envato Marketplaces, your earnings will be subject to US backup withholding tax of 24% if you do not submit your tax information. It does not matter if you are a non-US person, your earnings will be subject to 24% backup withholding tax if you do not provide your tax information. Because of this, it is very important to submit your tax information, to lower this tax percentage (depending of the percentage of your country’s tax treaty with the US). You will have to fill one of the following forms: W9, W8 or W8-BEN (Envato will automatically generate it for you, after filling out your personal details).
    I cannot give tax and/or legal advice, I will do my best to provide you with the information you need to make your own decision about how to comply with applicable U.S. tax laws. For more questions, please contact your legal and/or tax advisor.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! Please subscribe and hit the bell notification!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autoblogging? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #TAXINFORMATION #ENVATOTAXINFO #TAXINFO #WITHHOLDINGTAX

    My progress setting up my new site on the 2$ cheap hosting

    I will show you my progress setting up my new site on the 2$ hosting I purchased, for details watch this video!

    🔎 RESOURCES MENTIONED 👇
    2$ for 3 years of shared hosting ► https://bit.ly/2Iq72OF
    My site hosted for 2$: https://zumzuma.ro/
    PerfMatters plugin: https://perfmatters.io?ref=370
    WP Rocket plugin: https://wp-rocket.me/
    Mercury – Gambling & Casino Affiliate WordPress Theme. News & Reviews: https://1.envato.market/Mercury

    🤔 ABOUT THIS VIDEO 👇

    I continue to set up my newest site zumzuma.ro, hosted for 2$ for 3 years on the cheapest hosting provider I found so far. The performance is low in the admin menu, however, I did not have high expectations from the hosting provider, based on the price payed. However, so far, I am surprised of how well the website behaves and functions, I was expecting much lower performance and uptimes from it. I will be making more videos updates on this in the future!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autobloggin? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    🔥 GET 1 month FREE Envato Elements Subscription COUPON CODE (⏱Valid first half of JUNE 2021) 🔥

    Get 1 month FREE Envato Elements subscription, just watch this video and learn how!
    *UPDATE* CHECK THE LATEST COUPON HERE: https://www.youtube.com/watch?v=Csq8GFn0s4M

    🤔 ABOUT THIS VIDEO 👇

    Envato Elements is a massive library of 2,378,369 premium creative assets and templates you can use to create stunning videos or websites. Elements assets include premium music, stock sounds, and templates for Premiere Pro, After Effects, and FXCP! You normally have to pay $33 per month to access Envato Elements, but with my coupon you can join Elements for FREE for your first month.
    You can cancel at anytime without penalty.
    That’s right, get your unlimited downloads of 2,378,369 Premium Creative Assets.
    To activate this offer, just click this link and the coupon will be activated: https://1.envato.market/envato-elements-free-coupon-1-month

    WHAT IF I DON’T RENEW AFTER THE FREE TRIAL?
    DO I KEEP THE ITEMS?
    You’re crazy if you don’t renew.
    Elements is that good! But in case you are crazy….
    If you choose to not continue past the 30 Day trial you will keep the license for the projects you used your downloads in. This means you can continue to showcase and use the projects you created legally.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autobloggin? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #ENVATOELEMENTS #ELEMENTS1MONTHFREE #ENVATOELEMENTSFREE #FREEENVATOELEMENTS

    2$ for 3 years of hosting proof: check my site hosted on Ruu.cloud

    In this video I will show you guys my site that is hosted on ruu.cloud, I payed only 2$ for 3 years of shared hosting!

    🔎 RESOURCES MENTIONED 👇
    2$ for 3 years of shared hosting ► https://bit.ly/2Iq72OF
    My example site hosted for 2$: https://zumzuma.ro/
    My previous video on this: https://www.youtube.com/watch?v=6JoEy-pJ_PA

    🤔 ABOUT THIS VIDEO 👇

    This is a follow-up video on a video I published here on my YouTube channel recently, where I showed you guys the hosting plan I found recently which offered 3 years of shared hosting for only 2$. Some of you guys left some comments that you don’t believe that this offer is real, so I come today with a new video showing my site that I purchased on ruu.cloud: https://zumzuma.ro
    My original video on this: https://www.youtube.com/watch?v=6JoEy-pJ_PA
    In my opinion, this is a very good deal, they offer their hosting services only for 2$, this is almost a free hosting provider, you can almost compare them with a free hosting provider. If you are looking for a really cheap hosting, this is the best one I found so far.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autobloggin? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    How to setup Google Analytics for your YouTube Channel 2020 Method

    These tips will help you to set up Google Analytics for your YouTube channel in 2020. If you want to learn about the necessary steps, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Google Analytics ► https://analytics.google.com/

    🤔 ABOUT THIS VIDEO 👇

    This video will show you how to setup google analytics for your YouTube channel 2020 method. You will learn how to add google analytics to your YouTube Channel. In this video you will also find YouTube analytics explained – you will learn about what is possible and what is not possible to be tracked using Google Analytics tracking. I will show you also tips on how to use YouTube analytics to grow your YouTube channel by knowing details about your viewers and their habits.
    We will cover setup steps, plus what you can and cannot track into your Google Analytics reports.
    Using Google Analytics you can get a report on how people are engaging with your channel. Once it is installed, you will be able to use a whole range of reports in Google Analytics, however, you must know that there are some important things to be aware of, when using these reports. This info includes what exactly you can and what you cannot track after you have added Google Analytics tracking to your YouTube channel.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autobloggin? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #GOOGLEANALYTICS #GOOGLEANALYTICSYOUTUBE #YOUTUBEGOOGLEANALYTICS #YOUTUBEANALYTICS

    Newsomatic update by popular request: Query News Both by Country and by Language!

    Newsomatic was updated, now it can filter news by country and by language. To learn more, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Newsomatic ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇

    By Popular Request (by this channels subscribers), the Newsomatic plugin was updated and now it is able to query news both by country and by language. This will give you guys more control over the content that you import using the plugin! Check out more interesting features of the Newsomtic plugin, in it’s full tutorial playlist, here: https://www.youtube.com/watch?v=-t5i2Qq5mkM&list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs&index=1

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autobloggin? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #AUTOBLOGGING #NEWSOMATIC #AUTOBLOG #NEWSSITE

    “Meet Our Amazing Team” page from my website – funny or narcissistic?

    Is the latest page I added to my site: “Meet Our Amazing Team” funny or narcissistic?

    🔎 RESOURCES MENTIONED 👇
    “Meet Our Amazing Team” ► https://coderevolution.ro/our-team/

    🤔 ABOUT THIS VIDEO 👇

    I have a question today to you guys. Is the latest page that I added to my website funny or narcissistic? https://coderevolution.ro/our-team/
    If it is funny, hit the Like button on this video, if it is narcissistic, leave a comment with your opinion on why do you think that it is narcissistic. Your feedback is appreciated!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autobloggin? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    Cheap Hosting Offer: Get 3 Years of Web Hosting for 2$

    These tips will help you to get 3 years of web hosting for only 2 dollars! If you want to start a new website for a low hosting price, watch this video!

    🔎 RESOURCES MENTIONED 👇
    Ruu.cloud ► https://bit.ly/2Iq72OF

    🤔 ABOUT THIS VIDEO 👇

    Today I wanna share with you an offer that I just found and discovered about a web hosting company that is providing 3 years of shared hosting for 2$ and I thought it may be helpful for people who want to get a web host at a small price! For the moment, I find this service the best cheap hosting provider on the market.

    – Go to https://bit.ly/2Iq72OF
    – Click on “Order Hosting” button from the top
    – Choose the PRO package
    – Choose 180$ for 3 years
    – Enter this coupon code “offer” so it will be reduced to 2$
    – Checkout and create your account !
    You are done, you can start your next website, it will be hosted for 3 years and it will cost you only 2$. This will help you start affiliate marketing, giving you an affordable website, which you will be able to use to promote affiliate products. This is one of the best web hosting for affiliate marketing, because it is cheap and you can purchase it with very little investment.

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autobloggin? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CHEAPHOSTING #HOSTINGCOUPON #LOWPRICEHOSTING #INEXPENSIVEHOSTING

    How to embed Twitch videos on Blogspot?

    These tips will help you to embed Twitch videos to Blogspot. If you want to show Twitch embedded videos on your Blogger site, watch this video!

    🤔 ABOUT THIS VIDEO 👇

    If you’re a gamer, you definitely know Twitch.tv. If you’re not a gamer, there’s a good change you know it, too. Twitch has helped legitimize live streaming as an entertainment medium, instead of a niche service that only a handful of people partake in. Twitch may have started with video games, but that’s not all it does. And there’s a good chance you or someone you know streams there, so it’s probably useful to know how to grab the embed Twitch stream code for your site to get even more viewers.
    Using the method shown in this video, you will be able to embed Twitch live streams, clips or videos to your Blogger (Blogspot) sites. Give this method a try now!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autobloggin? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    How I create my Default Video Description Template for my newly uploaded YouTube Videos?

    These tips will help you to make a template for your newly uploaded YouTube videos. If you want to be more productive while uploading new videos to YouTube, watch this video!

    🔎 RESOURCES MENTIONED 👇
    In this video I mentioned no resources, but I will keep this here to show you guys my template 🙂 ► https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    🤔 ABOUT THIS VIDEO 👇

    If you want to be more productive and also to have more engaging videos on your channel, you need to ramp up the descriptions of your videos you upload to YouTube!
    In this YouTube description tutorial, I will show you some useful YouTube tips, especially for beginners, on how to set the video description template and how to optimize YouTube descriptions. Learn some YouTube description tips and tricks right away!
    YouTube offers a great feature to set default descriptions to uploaded videos, which will be filled in automatically to newly uploaded videos, which can be modified afterwards.
    First of all, you’re just going to log in to YouTube, come down to your creator studio, go to channel, and then upload defaults. And this is where you set everything you want to be a part of every single video that you upload. If you have some default text you always want to be added to every video, you can do this using the method shown in this video. I hope this helps!

    💥 Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Get WP related help by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autobloggin? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #DEFAULTDESCRIPTION #VIDEOTEMPLATE #VIDEODESCRIPTION #YOTUBEDESCRIPTION

    Newsomatic tutorial: How to Write Advanced Keyword Search Queries to Get More Precise Results

    These tips will help you to get more precise results when you do niche related queries in the Newsomatic plugin. If you want to make advanced queries that match only very specific content, that is related to your search, watch this video! I will explain in detail how keyword search works in Newsomatic.

    🔎 CHECK THE NEWSOMATIC PLUGIN 👇
    Newsomatic on CodeCanyon ► https://1.envato.market/newsomatic

    🤔 ABOUT THIS VIDEO 👇

    If you want to know more about advanced keyword queries that you can make in the Newsomatic plugin and want to learn everything about them, this video will be useful, because I talk about keyword inclusion, keyword exclusion, exact phrase match and many other advanced features that are currently in the keyword search feature of the Newsomatic plugin.

    💥Join my FREE newsletter to discover my insights (and also to get the YouTube Caption Scraper plugin for FREE) 👇
    https://coderevolution.mailchimpsites.com/

    💻 MY WORDPRESS PLUGINS 👇
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE! – https://1.envato.market/bundle

    💻 MY COURSES 👇
    https://coderevolution.teachable.com/

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶ Check my Community of WordPress Experts by Joining CodeRevolution’s Facebook Group 👉🏼 https://www.facebook.com/groups/coderevo/
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)

    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓
    🌍 Become a member of my website today, to enjoy premium tutorials: https://coderevolution.ro/join-the-site/

    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://coderevolution.mailchimpsites.com/

    🗣️ TALK TO ME AND FOLLOW CODEREVOLUTION 💥 ON SOCIAL MEDIA 👇
    Instagram ► https://www.instagram.com/coderevolution_envato/
    Facebook ► https://www.facebook.com/CodeRevolution.envato/
    Twitter ► https://twitter.com/code2revolution
    LinkedIn ► https://www.linkedin.com/company/18002194
    Pinterest ► https://pinterest.com/caddy_lagaristu/coderevolution/

    🤔 ABOUT CODEREVOLUTION TV 😃
    Hello, I’m Szabi, a 32 years old guy living with my wife and our beautiful 4 year old daughter Maya. I started my journey in WordPress plugin development back in 2017, when I quit my programmer job and became a full time stay at home WordPress plugin developer, entrepreneur, blogger and also daddy. Since then, I implemented over 100 WordPress plugins, earning my full time income from them.

    I started this YouTube channel to share tutorials for my plugins with people who are using them, however, since then, the channel has evolved into a daily VLOG, besides of tutorials for my plugins, I am sharing here also my insights about how to be a successful entrepreneur in our current times.

    I really enjoy finding problems and solving them using creative and easy to use solutions to make life easier, this will reflect also in this YouTube channel!

    On this YouTube channel, you will see a new video published each day at 7 PM GMT! If you don’t want to miss my videos, subscribe and hit the bell notification also!

    Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business ► https://coderevolution.ro/

    📚 RECOMMENDED RESOURCES 👇
    See what services I use to power my business online and help me earn as an affiliate
    https://coderevolution.ro/recommendations/
    Do you want to start autobloggin? Check my recommended resources below 👇
    https://coderevolution.ro/more-automation/

    ▶ GEAR I USE IN MY VIDEOS 👇
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬▬
    To your success,
    Szabi – CodeRevolution.

    DISCLAIMER: The information contained on this YouTube Channel and the resources available for download/viewing through this YouTube Channel are for educational and informational purposes only.​
    This description may contain affiliate links. If you purchase a product through one of them, I will receive a commission (at no additional cost to you). I only ever endorse products that I have personally used and benefited from personally. Thank you for your support!

    #CODEREVOLUTION #AUTOBLOGGING #AFFILIATEMARKETING #PASSIVEINCOME

    How my channel performed in the last period? My earnings grew! New features of YouTube Studio!

    Hew guys, in this video I will show you how my channel performed over the last period of time, how my YouTube earnings grew and also will talk about new features YouTube Studio brought in it’s latest update!
    Let me know any feedback you guys have, in the video’s comments!
    Don’t forget: like, share, comment, subscribe!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to add Google’s “Dinosaur Game” as a 404 page to your WordPress website?

    In this video I will show you how to add Google’s ‘Dinosaur Game’ to your website’s (Page Not Found) 404 page! This will decrease the bounce rate of your website, giving it more SEO potential, increasing visitor count on the long run. It is also a fun thing to have on your site! Using this trick, you can make your 404 page more unique and increase visitor retention.
    Check the game live, on my website: https://wpinitiate.com/index.php/dinosaur-game/

    You can add this game to your site using this free plugin: https://wordpress.org/plugins/dinosaur-game/

    Use this other free plugin to redirect 404 page errors to the custom page where you added the Dinosaur Game using the above plugin: https://wordpress.org/plugins/404page/

    Play in Chrome: chrome://dino/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    You can add web stories to your WordPress website! Let me show you how!

    Today I will show you a method that I use on my own website, to add web stories to my WordPress website. Stories have been one of the biggest social media trends of the past couple of years and 2020 looks to be no different. You can also add them to your own website! Let me show you how! One step more, and you will be able to add also Google Web Stories to your site.
    Example of web story on my website: https://coderevolution.ro/web-stories/working-from-home/
    You can get this free plugin that will allow you to add stories to your WordPress website: https://wordpress.org/plugins/web-stories/
    Let me know, guys, what results you got from using this plugin?

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    YouTube Caption Scraper plugin was updated – it is working again!

    Hey guys and welcome to a new video on my channel! I just finished updating the YouTube caption scraper plugin, because it was no longer functional because of some YouTube changes. Now, it is working again.
    If you already downloaded it, you need to redownload it to get the latest update. You can get free unique content to your website, using this free little plugin that I give away to you guys!
    If you don’t have this plugin, you can get it by singing up to my newsletter (using the form found on the right side of the page): https://coderevolution.ro/blog/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Amazomatic Update: use the plugin without Amazon API access, get those 3 initial Amazon sales easily

    Amazomatic plugin was updated, it is able to import Amazon affiliate content now even without using the official Amazon affiliate API. So, the plugin can import affiliate products from Amazon without the need of PA API keys! This update will help you get access to the Amazon pa api, which requires you to make 3 initial sales on your account. Use the plugin without API credentials to get 3 affiliate sales and use it with API keys afterwards.
    Check Amazomatic here: https://1.envato.market/amazomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2GvwCjW

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    [Alternative Method] How to switch back to old Facebook layout 2020 edition

    In this short video I will show you how to switch back to the old Facebook user interface, after the button that allowed us to switch back easily was removed! The method is short and sweet, give it a try!
    The “Switch to Classic Facebook” option is now gone, here is an alternative method! It is not showing any more.
    This method will not require the installation of any third party apps, plugins or extensions! Have fun using it!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030 />- How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM />- How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8 />- Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Crawlomatic update: crawl SITEMAPS from any website and scrape all published posts more easily

    Great news for today: the Crawlomatic plugin was updated, in the latest version it is able to crawl sitemaps for of any website and will also be able to scrape content listed in them. This will allow you guys to crawl websites completely and scrape the entire website just by adding it’s sitemap URL as a start URL in the plugin settings.
    Check the Crawlomatic plugin here: https://1.envato.market/crawlomatic
    You can also define Regex expressions to match only a part of the links listed in the sitemaps, you can use this website to write your Regex expressions more easily: https://regexr.com/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    shorte.st not paying?

    Shorte.st not paying? Shorte.st, a popular link shortening service that is also offering payments to people that use their services (per link clicks), seems to have some difficulties, because they did not process any payments for the earnings from my account since January 2020. They state that payments are sent on 10th every month. Also, recently, they put a notice on their back end:

    IMPORTANT NOTE!
    Because of technical difficulties PayPal payouts will be even more delayed. Currently estimated date of payout is 10th of Aug 2020.
    Sorry for the delay! Please consider using other payout methods to withdraw your money much faster – shop is also available.
    We will keep you informed about any further changes.

    I also tried to contact their support and ask them about payments, no response from their part yet.

    Check Shorte.st here: https://join-shortest.com/ref/ff421f2b06?user-type=new

    What is your experience with shorte.st? Do you think it will go bankrupt and not process payments any more?

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Playomatic update: plugin is working again – browser user agent update

    Check the latest update for the Playomatic plugin, it is functional again, working as before. You have to update it to the latest version and add yout user agent in the plugin settings. Details shown in this video!

    Check the Playomatic plugin here: https://1.envato.market/playomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    I added Facebook live chat to my Customer Support website (no plugin needed)!

    Today’s news: I added Facebook live chat to my Customer Support website!
    In this video I also will be showing you guys how I set the live chat up and how I integrated it to my site, using a very simple process.
    The live chat window is visible here (but only to people that are my customers and are logged in to my site): https://coderevolution.ro/support/live-chat-customer-support/
    In the video I will explain also how to hide the chat for users that are not logged in to your site!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Echo RSS Post Generator plugin importing incorrect images for published posts

    The Echo RSS plugin checks possible images that can be used for imported posts in a specific order:
    1. the image found inside the RSS feed for each item
    2. the image found in the og:image meta
    3. images found inside of imported post content
    Please try checking the ‘Skip Checking Feed Image’ checkbox in importing rule settings, for the rule that creates these posts -> save settings -> check if images appear differently. This will skip checking of the image found inside the RSS feed.
    If this is not helping, please try checking the ‘ Skip Checking OG:Image Meta’ checkbox in importing rule settings, for the rule that creates these posts -> save settings -> check if images appear differently. This will skip checking of the image found inside the og:image meta field of imported posts.
    If this is not helping, you can also try checking the ‘Don’t Use First Image From Content’ checkbox from importing rule settings, this will make the plugin skip the first image it finds and check the next one.

    How I got invited and immediately rejected by Facebook Commerce Manager!?

    Today I got an invitation to join Facebook Commerce Manager on CodeRevolution’s main Facebook page. I signed up and joined it, also submitted some of my products to the marketplace, however, I got immediately rejected. 🙁
    Check the video for details.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to create or edit email signatures in Gmail, Yahoo Mail, Thunderbird and Outlook?

    In this video I will show you how to set up email signatures in 4 different email clients and service providers: Gmail, Yahoo Mail, Mozilla Thunderbird and Microsoft Outlook.
    You can also reuse and modify my own email signature template: https://justpaste.it/1l3yq

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030 />- How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM />- How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8 />- Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Newsomatic 50% discount + API update, enabled demo keys for NewsomaticAPI

    The Newsomatic plugin is at a 50% discount right now, so go ahead gues and check it here: https://1.envato.market/newsomatic
    Also, the second announcement that I make in this video is that I updated the NewsomaticAPI (the API behind the Newsomatic plugin) and from now on it will be able to be tested from it’s demo site, using the demo key:
    newsomaticapitestnewsomaticapitestnewsomaticapitestnewsomaticapite

    The demo site can be found here: https://wpinitiate.com/coderevolution/newsomatic-demo/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Envato will have a new CEO – Collis Ta’eed is stepping down

    Envato co-founder Collis Ta’eed is set to step down as chief executive of the startup he started 14 years ago, and as a parting gift, he’s dished out a record $3.75 million to employees through the startup’s 20% profit-sharing scheme. Envato was founded back in 2006 and since then, it’s been bootstrapped and profitable since day one, and has grown into one of Melbourne’s most revered tech startups.

    Check Collis’ forum post announcing his decision here: https://forums.envato.com/t/i-m-stepping-down-as-ceo-of-envato-and-moving-to-the-envato-board/326691

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Every programmer’s worst nightmare

    Every programmers worst nightmare! This question has not been answered on StackOverflow – We couldn’t find anything for your search – Try different or less specific keywords. Also, Google cannot provide an answer to the question! NANI?! Omae wa mou shindeiru.

    For more programmer humor, check this playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhGu2B2wiHJfSPBZZVaIKcp

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    AdSense update – We encourage you to publish your seller information in the Google sellers.json file

    How to add sellers.json file to your AdSense account? New Google AdSense update 2020 will show you the following message in your Google AdSense dashboard:
    We encourage you to publish your seller information in the Google sellers.json file. Visit the account settings page to review your current visibility status.
    How to fix and make updates for this new AdSense message?

    You need to visit your “Account information” page and review your visibility status.
    https://www.google.com/adsense — click Account — click Account information
    Where you will see listed:
    “We encourage you to make your information transparent and allow your individual or business name to be listed. This will help advertisers to verify your inventory. If your information isn’t made transparent, advertisers won’t be able to see your name, which might impact your revenue.”
    More info on this: https://support.google.com/adsense/answer/9889911

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and as a bonus, download a FREE WordPress plugin (YOUTUBE CAPTION SCRAPER):
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    If Amazon eBooks would have support and refunds like WordPress plugins

    Let me present to you how would a world would look like, where Amazon eBooks have support and refunds exactly like WordPress plugins have.

    Hey, Stephen King. I bought your eBook from Amazon. While you described it well, I’m afraid I didn’t like the third chapter on Scary Clowns. I wanted a Scary Doll to show up. Not a Scary Clown. Please refund me my money as this isn’t what I expected when I bought the book – eBook

    Hey there. I bought the plugin from CodeCanyon. While it was described well, when I’m using it with my theme which shows pictures of clowns, it doesn’t look as good as when you used it on pictures of dolls. It must be a bug. This isn’t what I was expecting when I purchased it as it doesn’t look good on my site. Please refund me my money as this isn’t what I expected when I bought the plugin – WordPress Plugin

    Hey, I bought this book but I cannot read. Please can you spend 30 hours reading it to me please Mr King. I don’t want to have it read to me all at once, but one chapter at a time please over the next 6 to 12 months? Will I pay you? But I bought the book, surely this means you’ll read it to me? – eBook

    Hey, I bought this plugin but I’m not a developer. Please can you spend 30 hours setting it up for me on my website and making sure each release is compatible with each plugin I install as I build my site over the next 6 to 12 months? Will I pay you? But I bought the plugin this means I get support, right? – WordPress Plugin

    Contents of the video:
    0:00 Asking for support for a WordPress plugin
    0:50 Asking for support for an Amazon eBook
    1:37 Asking for a refund for a WordPress plugin
    2:26 Asking for a refund for an Amazon eBook

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶WEBSITE? https://coderevolution.ro/

    ▶JOIN? https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter:
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? https://coderevolution.ro/recommendations/

    ▶COURSES? https://coderevolution.teachable.com/

    ▶UDEMY? https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    What i don’t like about selling my WordPress plugins on CodeCanyon?

    What i don’t like about selling my WordPress plugins on CodeCanyon? – in this video I will talk about this subject and will present ideas on how to improve the overall experience of sellers who are present on the CodeCanyon marketplace, selling WordPress plugins or scripts.

    Besides these points that I highlight in this video, I have to say that I really enjoy selling my WordPress plugins on CodeCanyon and I really am grateful for the experience that Envato provides to us, developers.

    What you will find in this video:

    00:00 Welcome
    00:55 More pricing options
    05:30 Licensing improvements
    09:57 No customer info provided to developers
    11:34 Personalized discounts
    13:41 Affiliate program improvements
    15:56 Developers labeled as authors

    These are some tips on how to improve CodeCanyon, and some CodeCanyon ideas that would make CodeCanyon better for developers selling their work on this online marketplace. If you have other feature ideas that would improve CodeCanyon, let me know in the comments of this video. If you are a developer selling on CodeCanyin, this might be also what you don’t like about selling your work on CodeCanyon.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Increase Sales – CodeCanyon and ThemeForest

    In this video I will talk about how I manage to increase sales – CodeCanyon and ThemeForest edition!

    Here is the list of the tips that I also apply to increase customer awareness and drive more sale for my digital products on CodeCanyon and on Envato Marketplaces:

    0:00 Welcome
    0:28 Solve customer problems
    2:07 Excellent product page
    4:22 Demo & content marketing
    7:58 Top customer reviews
    9:22 Regular product updates

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Refunds on Envato Marketplaces (ThemeForest, CodeCanyon) from a seller’s perspective

    In this video I will talk about how I see and manage refunds as a seller on Envato Market, in my case: CodeCanyon. The video will be from my perspective, I will show you details about how I handle refunds, how customers respond to them and will go into details about when a refund is accepted and when it is rejected.
    Refunds on Envato Marketplaces (ThemeForest, CodeCanyon) from a seller’s perspective
    How do refunds work on Envato? https://help.market.envato.com/hc/en-us/articles/209980383-How-do-refunds-work
    Envato Market Refund Rules https://themeforest.net/page/customer_refund_policy
    You can request a refund for items you purchased from Envato Marketplaces, here: https://codecanyon.net/refund_requests/new

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Fix AdSense “We are unable to process your request at this time.” – uBlock origin incompatibility

    In this video I show you how to fix the following AdSense issue:
    We apologise for the inconvenience, but we are unable to process your request at this time. Our engineers have been notified of this problem and will work to resolve it.
    It is usually caused by uBlock Origin blocking access to AdSense’s backend. Follow the instructions in this video to make AdSense work together with uBlock Origin.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Which plugin to choose: Echo RSS or URL To RSS or RSS Transmute? [Create custom RSS feeds]

    In this video I will talk about which of the 3 custom RSS feed creator plugins to choose, in any specific scenarios.
    I compare the features of the 3 plugins and describe what is the difference between each of them.
    In a nutshell:
    1. Echo RSS: https://1.envato.market/echo – this one will create custom RSS feeds from posts published on your website
    2. URL to RSS: https://1.envato.market/customcuratedrss – this one will crawl any website and publish an RSS feed using the scraped items, on your website
    3. RSS Transmute: https://1.envato.market/rsstransmute – edit any existing RSS feed – add your custom affiliate parameters to URLs, modify content, titles and many more!
    Some possible use cases: make RSS feed for podcasts, make money with RSS feeds, make RSS feed for any website

    I hope this will clear up some possible confusion regarding the features of these 3 plugins.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030 />- How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM />- How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8 />- Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to fix the ‘Yellow Diamond’ icon when running importing in plugins (Newsomatic, Echo and others)

    How to fix the ‘Yellow Diamond’ icon when running importing in plugins (Newsomatic, Echo and others)

    The yellow rombus means that ‘No New Posts Were Improted’.

    This means that all posts were already imported (new posts will be imported when the source get’s updated with new entries).

    In some plugins, you can check a rule settings (found in rule’s ‘Advanced settings’), named ‘Remember Last Posted Item And Continue Search From It’. Please check this checkbox (if the plugin you are using has it), and try running importing again.

    If still no posts imported, please check query words (or other plugin settings), that could limit the number of posts returned.

    Here you can check also settings like: ‘Maximum Title Word Count’, ‘Maximum Content Word Count’, ‘Minimum Title Word Count’, ‘Minimum Content Word Count’, ‘Banned Words List’ or ‘Required Words List’, which any could cause posts not being imported (skipped).

    Also, you can check the plugin’s ‘Activity and Logging’ section, where you would see hints about posts being skipped because of one of the above settings.
    More info: https://coderevolution.ro/knowledge-base/faq/i-keep-getting-an-yellow-diamond-when-i-run-the-rule-now-and-no-new-posts-are-getting-generated/

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? https://coderevolution.ro/recommendations/

    ▶COURSES? https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    My YouTube channel stats update – August 2020

    In this video I will show you how my YouTube channel performed in the last period of time (last 28 days). I will include stats about revenue, subscribers, views and watch time.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to use the AutoBlog Iframe Extension Plugin for Manually Created Posts?

    In this video I will show you how to use the AutoBlog Iframe Extension Plugin for Manually Created Posts. Check the plugin here: https://1.envato.market/iframe

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Google Books Affiliate support added for Bookomatic WordPress Plugin

    A new update was done today! Affiliate ID support added to links generated by Bookomatic – Google Books WordPress plugin.
    It is able to list and import books from Google Books to WordPress, now also with your affiliate ID added to the generated links!

    Check the Bookomatic plugin here: https://1.envato.market/bookomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    The 30-Day “Epic” YouTube Video Challenge

    I challenge you guys on joining me during a 30 day challenge where I will be publishing one video per day on this YouTube channel. I challenge you to do the same, on your own channel!
    Check the member blog post where I describe my strategy: https://coderevolution.ro/member/the-30-day-epic-youtube-video-challenge/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    WP Pocket URLs – Tutorial Video

    WP Pocket URLs gives you the ability to shorten your long affiliate links and keep track of user clicks on each link.
    Download the plugin for free, here: https://wordpress.org/plugins/wp-pocket-urls/

    The plugin can get geo information about the user that clicked the link, example: IP address, Country, Date and Time.
    From the “Reports” settings page of the plugin, you will be able to generate reports and filter by Link Title, Month/Year, Link category OR country.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.buymeacoffee.com/coderevolution
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.buymeacoffee.com/coderevolution

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to deploy a plugin to WordPress.org SVN repository after it was approved

    In this tutorial video I show you guys how to commit a plugin to WordPress.org SVN repository after it was approved!

    Check WP Pocket URLs here: https://wordpress.org/plugins/wp-pocket-urls/
    Check the video where I uploaded this plugin to the repo: https://www.youtube.com/watch?v=0R5O-V5S7g8

    More HELP:
    Once your plugin was approved by the review team, you will need to upload your code using a SVN client of your choice. I use TortoiseSVN in this video: https://tortoisesvn.net/
    Using Subversion with the WordPress Plugin Directory:
    https://developer.wordpress.org/plugins/wordpress-org/how-to-use-subversion/
    FAQ about the WordPress Plugin Directory:
    https://developer.wordpress.org/plugins/wordpress-org/plugin-developer-faq/
    WordPress Plugin Directory readme.txt standard:
    https://wordpress.org/plugins/developers/#readme
    A readme.txt validator:
    https://wordpress.org/plugins/developers/readme-validator/
    Plugin Assets (header images, etc):
    https://developer.wordpress.org/plugins/wordpress-org/plugin-assets/
    WordPress Plugin Directory Guidelines:
    https://developer.wordpress.org/plugins/wordpress-org/detailed-plugin-guidelines/
    If you have issues or questions, you can let me know in video comments and I will try to help.

    Some common points of confusion are:
    SVN user IDs are the same as your WordPress.org login ID – not your email address
    User IDs are case sensitive (if your account is JoDoe123HAY then you must use that exact ID)
    Sometimes SVN hates complex passwords that include an asterisk
    Your readme content determines what information is shown on your WordPress.org public page – https://developer.wordpress.org/plugins/wordpress-org/how-your-readme-txt-works/
    Your plugin banners, screenshots, and icons are handled via the special plugin assets folder – https://developer.wordpress.org/plugins/wordpress-org/plugin-assets/

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶WEBSITE? https://coderevolution.ro/

    ▶JOIN? https://coderevolution.ro/join-the-site/

    ▶NEWSLETTER? https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? https://coderevolution.ro/recommendations/

    ▶COURSES? https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    I reveal my secret method how I make money online!

    Many of you have asked about this, so finally I reveal it! In this video I reveal my secret method how I make money online!
    After watching the video, go here: https://1.envato.market/newsomatic

    The Money Generator I used: https://coderevolution.ro/money-generator – you can also use your local currency with it!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – A Day In The Life Of A WordPress Developer: https://www.youtube.com/watch?v=31-xisX1030
    – How Coding Your First WordPress Plugin Looks Like: https://www.youtube.com/watch?v=7l65wodnPyM
    – How Uploading Your First WordPress Plugin To CodeCanyon Looks Like: https://www.youtube.com/watch?v=ah1gReAv-m8
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to install Puppeteer Globally on Centos?

    Step 1: Install Node JS in CentOS 

    sudo curl -sL https://rpm.nodesource.com/setup_10.x | sudo -E bash -
    sudo yum install nodejs 

    Step 2 : Install Chromium dependencies in CentOS 

    sudo yum install pango.x86_64 libXcomposite.x86_64 libXcursor.x86_64 libXdamage.x86_64 libXext.x86_64 libXi.x86_64 libXtst.x86_64 cups-libs.x86_64 libXScrnSaver.x86_64 libXrandr.x86_64 GConf2.x86_64 alsa-lib.x86_64 atk.x86_64 gtk3.x86_64 ipa-gothic-fonts xorg-x11-fonts-100dpi xorg-x11-fonts-75dpi xorg-x11-utils xorg-x11-fonts-cyrillic xorg-x11-fonts-Type1 xorg-x11-fonts-misc 

    Step 3 : Install Puppeteer in CentOs

    sudo npm install -g puppeteer --unsafe-perm=true

     

     

    How to upload a new plugin to the official WordPress.org plugin repository?

    In this video I will be showing you how to upload a new plugin to the WordPress.org plugin repository. The plugin I upload is called “WP Pocket URLs” – give it a try after it is approved!

    Upload your plugins to WordPress.org, here: https://wordpress.org/plugins/developers/add/

    Check WP Pocket URLs (APPROVED!) here: https://wordpress.org/plugins/wp-pocket-urls/

    Check the video where I deployed this plugin to the repo: https://www.youtube.com/watch?v=pwGSbbMpgvo

    After the review is complete and your plugin is approved, you will be granted access to the official WordPress.org SVN repository, where you will be able to host your plugin.

    HOW LONG WILL THE REVIEW PROCESS TAKE?
    This is in the Developer FAQ. It takes anywhere between 1 and 10 days. We attempt to review all plugins within 5 business days of submission, but the process takes as long as it takes, depending on the complexity of your plugin.

    WHAT WILL MY PLUGIN URL BE?
    Your plugin’s URL will be populated based on the value of Plugin Name in your main plugin file (the one with the plugin headers). If you set yours as Plugin Name: Boaty McBoatface then your URL will be https://wordpress.org/plugins/boaty-mcboatface and your slug will be boaty-mcboatface for example. If there is an existing plugin with your name, then you will be boaty-mcboatface-2 and so on. It behaves exactly like WordPress post names.

    Once your plugin is approved, it cannot be renamed.

    I MADE A MISTAKE IN MY PLUGIN NAME. SHOULD I RESUBMIT?
    Please don’t! Instead email plugins@wordpress.org and we can rename your plugin as long as it’s not approved. Since we check emails first, the odds are we’ll catch it. If we don’t, just email us and explain the mistake. We’ll explain what to do.

    WHY CAN’T I SUBMIT A PLUGIN WITH CERTAIN DISPLAY NAMES?
    Certain plugin names are prohibited due to trademark abuse. Similarly, we prevent their use in plugin slugs entirely for your protection.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to install Node JS and Puppeteer on Linux

    In this video I will show you how to install Node JS and Puppeteer on Linux

    The commands I used to install puppeteer:
    — begin commands

    sudo apt-get update

    sudo apt install -y gconf-service libasound2 libatk1.0-0 libc6 libcairo2 libcups2 libdbus-1-3 libexpat1 libfontconfig1 libgcc1 libgconf-2-4 libgdk-pixbuf2.0-0 libglib2.0-0 libgtk-3-0 libnspr4 libpango-1.0-0 libpangocairo-1.0-0 libstdc++6 libx11-6 libx11-xcb1 libxcb1 libxcomposite1 libxcursor1 libxdamage1 libxext6 libxfixes3 libxi6 libxrandr2 libxrender1 libxss1 libxtst6 ca-certificates fonts-liberation libappindicator1 libnss3 lsb-release xdg-utils wget

    sudo apt install curl

    curl -sL https://deb.nodesource.com/setup_10.x | sudo -E bash –

    sudo apt install nodejs

    mkdir your-project

    cd your-project

    npm install -g puppeteer

    — end commands

    Crawlomatic (a WordPress plugin that can scrape websites using puppeteer): https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to install Node JS and Puppeteer on Windows

    In this video I will show you how to install Node JS and Puppeteer on Windows
    Get Node JS from here: https://nodejs.org/en/download/
    Crawlomatic (a WordPress plugin that can scrape websites using puppeteer): https://1.envato.market/crawlomatic

    The command I used in the video to install puppeteer (to copy paste it in your cmd):

    npm install -g puppeteer

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to Add Text Outline or Text Border in Camtasia – make your Text Visible using this Trick

    In this video I will show you guys how to Add Text Outline or Text Border in Camtasia – make your Text Visible using this Trick.
    I hope you will find this video helpful.
    I create daily videos on this channel, providing news and updates for the WordPress plugins I create, please check them here: https://1.envato.market/coderevolutionplugins

    Videos that I created using this method:
    https://www.youtube.com/watch?v=31-xisX1030
    https://www.youtube.com/watch?v=7l65wodnPyM
    https://www.youtube.com/watch?v=ah1gReAv-m8

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    WordPress 5.5 Update Is Around the Corner – It Brings Major Updates to How You Will Use WordPress!

    In this WordPress tutorial I will show you all the major updates that the WordPress 5.5 update will bring, that may change how you use WordPress forever, but in a good way!

    Table Of Contents
    00:00:00 WordPress 5.5 update news
    00:00:40 How to Install WordPress Beta Versions
    00:02:18 Page Load Speed Boost
    00:03:06 Automatic Plugin & Theme Updates
    00:05:58 Existing Plugin & Theme Install Updates
    00:07:06 XML Sitemaps
    00:08:59 Image Lazy Loading
    00:10:48 Block Editor Updates
    00:09:59 Fastest WordPress Theme
    00:11:20 Device Previews
    00:12:09 Block Patterns
    00:13:05 Block Directory Installer
    00:15:06 Inline Image Editor
    00:16:53 Finishing Up

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />- Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Checking if all my plugins are compatible with the upcoming WordPress 5.5 version update

    In this video I will check live all my plugins if they are compatible with WordPress 5.5 update that will be released on 11th August 2020. I have 122 plugins to check, so I have quite some work with this. 🙂 Check my plugins here: https://1.envato.market/coderevolutionplugins

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Puppeteer support added to Crawlomatic: scrape any content from any website using Chrome or Chromium

    A new update is available for the Crawlomatic plugin: Puppeteer support added – scrape any content from any website using Chrome or Chromium
    Check the Crawlomatic plugin here: https://1.envato.market/crawlomatic
    The plugin supported in the past only PhantomJS for this task.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />- Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to sell your WordPress plugin on CodeCanyon?

    In this video I will show you how to upload a new WordPress plugin to CodeCanyon. The uploaded plugin is called: “RSS Transmute – Copy, Translate, Spin, Merge RSS Feeds”
    Check the RSS Transmute plugin here: https://1.envato.market/rsstransmute

    Check my plugin portfolion from CodeCanyon: https://1.envato.market/coderevolutionplugins

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to Get the ‘YouTube Caption Scraper’ WordPress Plugin for Free

    I am starting a limited giveaway for one of the plugins I created called ‘YouTube Caption Scraper’. It will be able to scrape unique content from YouTube video captions. You will be able to get it for free, as a bonus, after you subscribe to my newsletter (no spam, I promise). You can subscribe, here (and get the plugin for free!): https://www.facebook.com/CodeRevolution.envato/app/100265896690345/

    Check my blog/website (you can subscribe here also): https://coderevolution.ro/blog/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How Uploading Your First WordPress Plugin To CodeCanyon Looks Like

    How Uploading Your First WordPress Plugin To CodeCanyon Looks Like

    This video will show you how you might end up if you try to upload your first WordPress plugin to CodeCanyon or your theme to ThemeForest! If you want to sell on CodeCanyon or on ThemeForest, you will probably go through this. They have a strict review process for the uploaded plugin and they reject it quite a lot (until they find issues in the code and documentation).

    This is a parody video, “The Most Awesome Plugin In The Universe” does not exist. Instead, you can check my real WordPress plugin portfolio from CodeCanyon: https://1.envato.market/coderevolutionplugins

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolutionplugins

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How Coding Your First WordPress Plugin Looks Like

    How Coding Your First WordPress Plugin Looks Like

    This video will show you how people who try to code their first WordPress plugin might end up. Enjoy the video!

    This is a parody video, learning WordPress development can be easy if the right tutorial is followed. I also learned WordPress development on my own, please check my WordPress plugin portfolio from CodeCanyon: https://1.envato.market/coderevolutionplugins

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Youtubomatic update: fixed video caption importing – get unique content from video closed captions!

    Youtubomatic new update: I managed to fix video caption importing – the plugin is able to get once again unique content from video closed captions!
    Check Youtubomatic here: https://1.envato.market/youtubomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    A Day In The Life Of A WordPress Developer

    Hi, I am Szabi, and in this video I present a day in my life. I am a WordPress plugin developer, working from home, doing web development, selling my plugins on CodeCanyon: https://1.envato.market/coderevolutionplugins

    I am living together with my family: my wife and my 4 year old daughter – Maya.
    I am a also on a plant based diet, intermittent fasting, making regular workouts to stay fit and trying to spend as much time as possible with my family. I love coding and creating new and interesting stuff! I am selling my work on CodeCanyon – I am a CodeCanyon dev. I am also doing support for my plugins alone, so I check my emails often. 🙂
    Also, I try to live my life to the fullest!

    My daily schedule, presented in this video:
    0:00 Good morning!
    0:11 Wake up
    0:22 Actually wake up
    0:35 Family still sleeping!
    0:45 Bathroom time
    0:59 Looking sharp!
    1:17 Go to my office
    1:48 Check morning emails
    2:01 Relax & Meditate
    2:11 Breakfast time
    2:24 A snack for later
    2:37 Chat with friends
    2:47 Start coding work
    2:57 What I am actually doing
    3:21 Daughter joins in
    3:34 Fun time
    4:05 Resume work
    4:15 Time for a break
    4:30 Going for a ride
    4:58 Snack time
    5:24 Back home, quick check on emails
    5:35 Lunch break!
    5:44 Lunch with family
    6:15 Relax in the sun
    6:27 Work work
    6:37 Setup for a YouTube video
    6:47 Video recording
    6:57 Done for today!
    7:24 Workout time
    8:33 Quick shower
    8:43 Family time
    8:53 Bedtime story
    9:03 Daughter asleep
    9:13 Let’s watch a movie
    9:23 Good night!
    9:33 Before falling asleep

    A Day In The Life Of A WordPress Developer
    Did you enjoy this video? Please subscribe to this channel to get more videos like this (also hit the bell notification)!
    Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Music used in this video:
    Faster Car – Loving Caliber https://www.youtube.com/watch?v=LPcP3Oc9oiM
    When It Feels Right – Chase White https://www.youtube.com/watch?v=WDKEEBIpfuo
    Pandemonium (Tribute Version) – Mondays https://www.youtube.com/watch?v=tp1zhEEJxew

    Source of the music I used in this video (Epidemic Sound): https://www.epidemicsound.com/referral/bgo4xy/ – subscribe to their service and use any of the (awesome) music listed on their site, in your videos published on YouTube!

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶MY WEBSITE?
    https://coderevolution.ro/

    ▶BECOME A MEMBER ON MY SITE?
    https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶MY UDEMY COURSES? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————
    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed?
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    ——————————
    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    New Plugin Teaser Video: Edit Any RSS Feed and Republish It On Your Site!

    This video will show the plugin I am working on right now. It will be able to edit existing RSS feeds and republish them on your own website.

    Editing can be anything from adding/removing content from them, translating, word spinning, adding affiliate links, merging multiple feeds and many more cool features!

    The plugin is published on CodeCanyon, check it here: https://1.envato.market/rsstransmute

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Let me show you my current ranking as an author on CodeCanyon

    In this video I will show you my current ranking as a CodeCanyon author.
    Check the rankings, here: https://codecanyon.net/authors/top
    My plugin portfolio: https://1.envato.market/coderevolutionplugins

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    URL to RSS plugin user case 2: How to create RSS feeds for any website, example: RSS for aptoide.com

    In this video I will show you how to use the URL to RSS plugin to create an RSS feed for any website that does not have an RSS feed avaialable.
    Check the plugin here: https://1.envato.market/customcuratedrss

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    URL to RSS plugin user case 1: How to use it as an Affiliate RSS Machine

    In this video I will show you how to use the URL to RSS plugin as an Affiliate RSS Machine
    Check the plugin here: https://1.envato.market/customcuratedrss

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to create a YouTube API project in Google API console?

    In this video I will show you how to create a YouTube API project in Google API console?
    Create a new Google (YouTube) API Project, here: https://console.developers.google.com/

    You can use the created API keys using this plugin (to import YouTube videos to your WordPress site or to automatically post videos to YouTube): https://1.envato.market/youtubomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Big changes are coming! YouTube video upload using the API will be restricted after 28 July 2020

    All videos uploaded using the YouTube API from unverified API Projects created after July 28, 2020 will be restricted to private viewing mode!
    To lift this restriction, each project must undergo an audit to verify compliance with the Terms of Service. You can submit your project for an audit, here: https://support.google.com/youtube/contact/yt_api_form

    Creators who use an affected project to upload video will receive an email explaining that their video is locked as private, and that they can avoid the restriction by using an official or audited service.
    Existing API projects will not be affected by this change, but YouTube strongly recommends that all developers complete a compliance audit for their projects to ensure continued access to the YouTube API Services.
    Upload videos to YouTube using a WordPress plugin: https://1.envato.market/youtubomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    URL to RSS – Custom Curated RSS Feeds WordPress Plugin – Advanced Tutorial

    In this tutorial video I will show you a walk-through of the advanced features of the URL to RSS plugin. I will explain each and every settings field that it has and the possibilities that it can offer.
    Check the plugin here: https://1.envato.market/customcuratedrss

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to fix Twitch iframe embeds on Wix websites?

    In this video I will show you how to fix Twitch embeds on Wix websites. The method is simple, pay attention to the video from above and you will be able to fix embeds on your Wix site.

    SOLUTION:
    It seems that Wix will put your iframe in another iframe, so you need to include your website as a parent and that extra iframe also as a parent!
    Example: your website: somesite.com + iframe generated by Wix: somesite-com.fileusr.com or www-somesite.com.filesusr.com
    So your parent in the Twitch embed code would be:
    parent=somesite.com&parent=www.somesite.com&parent=www-somesite-com.filesusr.com
    You can check the specific of your extra iFrame by right clicking on the broken embed, hitting “inspect” and then looking in the source.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Generate an RSS Feed for Any Website – Custom Curated RSS Feeds WordPress Plugin – Basic Tutorial

    In this tutorial video I will show you a basic walk-through on how to set up and use the Custom Curated RSS Feeds WordPress Plugin I have developed.

    Check the plugin here: https://1.envato.market/customcuratedrss

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    AdSense payout WAY LOWER than YouTube analytics report. Why is this happening?

    In this video I will explain why AdSense payouts can be way lower than the earnings shown in the YouTube Studio Analytics.

    Regardless of when earnings are finalized the finalized earnings are always by calendar month for the prior month & AdSense has used calendar month since they started. Thus, for example, the finalized earnings are for Jan 1st – Jan 31st just like it says on the payments page in AdSense.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    NewsAPI vs NewsomaticAPI – what are the differences? Which is the best for you?

    In this video I will talk about the differences between 2 APIs that provide news related content from all over the world: NewsAPI and NewsomaticAPI

    Check NewsomaticAPI, here: https://www.newsomaticapi.com/

    Check the Newsomatic plugin, here: https://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to submit a Facebook app for review to get the manage_pages permission

    In this video I will show you how to submit a Facebook app for review to get the manage_pages permission.

    You can use the Fbomatic plugin to import content from Facebook and also to automatically post to Facebook: https://1.envato.market/fbomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />- Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Why is News Builder cheaper than Newsomatic?

    Some of you guys asked me in my videos comments why is Newsbuilder cheaper than Newsomatic? In this video, you have my answer.
    Check Newsomatic, here: https://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    YouTube policy change! Mid-Roll ads for 8 minute and longer videos!

    YouTube policy change starting from 27 July 2020! 8 min and longer videos will have mid-roll ads enabled! They will lower the 10 minute video length requirement to 8 minutes, for the mid-roll ads to be enabled on your videos!
    Official details, here: https://support.google.com/youtube/answer/6175006

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Crawlomatic update: scrape also post author

    The Crawlomatic plugin was updated, now it is able to import also post author. Check video for details.
    Check the Crawlomatic plugin, here: https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Check some example web sites built with my plugins (Newsomatic, Echo RSS, Youtubomatic)

    In this video I will show you some example sites that are built using my plugins.
    Some other website examples, that are not shown in the video:
    https://dietapersonala.ro/
    https://magyartube.com/
    https://rascuplans.ro/
    https://mcdonald.de/
    http://wpinitiate.com/

    Plugins used:
    https://1.envato.market/newsomatic
    https://1.envato.market/echo
    https://1.envato.market/youtubomatic
    https://1.envato.market/recipeomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    What other News Sources should I add to NewsomaticAPI?

    What news sources would yu like to see added to NewsomaticAPI?
    Current list of sources: https://www.newsomaticapi.com/sources/
    If you do not find a source that you would like to use listed here, let me know.
    This API is used by the Newsomatic plugin, check it here: http://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    New plugin sneak peek: Get RSS Feed From Any Site!

    Check the plugin I am working on right now. This is a sneak peek video!
    You will be able to create RSS feeds on your website, from posts from any site!
    The plugin is published on CodeCanyon: https://1.envato.market/customcuratedrss

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />- Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Payoneer cards frozen – what to do next if you are an Envato author?

    Payoneer cards are frozen because Wirecard AG has declared bankruptcy. As Payoneer is using Wirecard’s UK subsidiary to issue Payoneer Prepaid Mastercards, anyone using these cards is likely impacted by this freeze.

    If you are an Envato Author and until now you have withdrawn your earnings to your account, here are the options you have:

    1. Create a ticket to hold your earnings for 1 month (until the card issue at Payoneer is fixed): https://help.author.envato.com/hc/en-us/requests/new

    2. Change the withdrawal method you use in your Envato account.

    More details, here: https://forums.envato.com/t/payoneer-card-and-bank-withdraw-blocked/315067/231

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    My YouTube channel monetization results update June 2020

    Check the latest updates for the monetization of my YouTube channel. I will show results of latest monthly earnings! Check the video for insights on earning from YouTube vieos!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to find the RSS Feed URL of any website? Discover hidden RSS feeds!

    In this video I will show you 3 methods to find the RSS feed URL of most of the websites out there.

    Feed structure for WordPress.com sites: https://example.wordpress.com/feed
    Blogspot sites: https://blogname.blogspot.com/feeds/posts/default
    Medium sites: https://medium.com/feed/example-site
    Tumblr sites: https://example.tumblr.com/rss

    Plugin I created to import RSS feeds: https://1.envato.market/echo

    Also, I am working now on a plugin that will be able to generate an RSS feed for any website. Check it soon here on this channel!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to get WooCommerce products meta data (price, height, width, weight, etc) textual IDs (slugs)?

    Hey guys, in this video I will show you how to get the textual ID for WooCommerce product’s meta data. This can be used in other plugins to automatically assign values to WooCommerce products from other autoblogging plugins.
    Plugin used in the video: https://wordpress.org/plugins/woocommerce-store-toolkit/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to scrape Google search results? Crawlomatic Multisite Scraper

    in this video I will show off a unique feature to Crawlomatic: it is able to execture JavaScript on crawled pages and scrape even Google search results!

    Check Crawlomatic, here: https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Twitch iframe embeds how to fix: “Whoops! This embed is misconfigured.” error

    In this video I will show you how to fix this error when embeding Twitch videos or live streams in iframes on your website:

    Whoops! This embed is misconfigured.
    (Developers: Please check your browser console for more information)

    To automatically embed Twitch videos and steams to your website, check the Twitchomatic plugin, here: https://1.envato.market/twitchomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Automated TOS/CPU: Blocked! HostGator limited my website, I had extensive CPU usage! What to do now?

    In this video I will talk about the issue I am facing right now on a shared HostGator hosting. They limited access to my website because I had an extensive CPU usage for a long period of time.

    Here are the steps that I made to regain access to my site:

    1. I replied to the email I got from them, asking for credentials to fix my site’s performance.
    2. After I got access to my site, I replied to them with this email:

    Hello,
    I updated the site, done the following changes on it:
    1. deactivated all unnecessary plugins from WordPress
    2. limited the crawl rate in Google and Bing, as instructed here: https://www.hostgator.com/help/article/telling-the-bing-network-how-often-to-crawl-your-website and here https://www.hostgator.com/help/article/telling-google-how-often-to-crawl-your-website
    3. installed WP Fastest Cache Premium for caching of the site
    4. upgraded to latest WordPress version: 5.4.2
    5. updated PHP to latest available version: 7.1
    6. replaced wp_cron with server cron, as advised here: https://www.hostgator.com/help/article/how-to-replace-wordpress-cron-with-a-real-cron-job
    Please consider removing the restrictions from my website.
    Thank you for your time on this! Regards.

    The site that was limited (now working): https://wpinitiate.com/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to add a “Read More” button to posts generated by Echo RSS Feed plugin?

    In this video I will show you how to add a “Read More” button to posts that are generated by the Echo RSS Feed Post Generator Plugin.
    Check the plugin here: https://1.envato.market/echo

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Redditomatic plugin update: post also posts with full content to Reddit

    A much needed update was made for the Redditomatic plugin: it can now post to Reddit full content posts!
    Check the plugin here: https://1.envato.market/redditomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Update for all my plugins: Enable the usage of the Official Google Translate API!

    A new update comes to all my plugins: they will be able to use the official Google Translate API to translate content to different languages.

    How to limit costs on Google Translate API: https://coderevolution.ro/knowledge-base/faq/how-to-set-a-cost-limit-in-google-developers-console/

    Check my plugin portfolio: https://1.envato.market/coderevolutionplugins

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Interpreting Google Translate HTTP Error Codes

    Here is a list of common error codes (and their interpretations and explanations), which Google Translate can return:

    • 503 Service Unavailable response: If you are getting this error, it is most likely that Google has banned your external IP address and/or requires you to solve a CAPTCHA. This is not a bug in this package. Google has become stricter, and it seems like they keep lowering the number of allowed requests per IP per a certain amount of time. Try sending less requests to stay under the radar, or change your IP frequently. Please note that once an IP is banned, even if it’s only temporary, the ban can last from a few minutes to more than 12-24 hours, as each case is different.
    • 429 Too Many Requests response: This error is basically the same as explained above.
    • 413 Request Entity Too Large response: This error means that your input string is too long. Google only allows a maximum of 5000 characters to be translated at once. If you want to translate a longer text, you can split it to shorter parts, and translate them one-by-one.
    • 403 Forbidden response: This is not an issue with this package. Google Translate itself has some problems when it comes to translating some characters and HTML entities.

    Trendomatic updated: create custom post meta and custom post taxonomies

    The Trendomatic plugin was updated: now it is able to also create custom post meta and custom post taxonomies
    Check it here: https://1.envato.market/trendomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Royalty free featured image importing update: Unsplash added as an image source!

    In the latest updates, Unspash was added as an image source for royalty free featured images that can be imported to posts generated by my plugins!

    Check plugins that can import images from Unsplash:
    https://1.envato.market/businessomatic
    https://1.envato.market/contentomatic
    https://1.envato.market/newsomatic
    https://1.envato.market/echo
    https://1.envato.market/crawlomatic
    https://1.envato.market/youtubomatic
    https://1.envato.market/trendomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Bye bye YouTube polls on videos 😢

    YouTube announced that they will deactivate polls on videos, starting with 10th of June 2020. I am sorry to see this feature disappear: https://support.google.com/youtube/thread/47160455?hl=en

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Echo RSS Post Generator Plugin update: Get Final URL For Posts From Imported Feeds

    The Echo RSS Post Generator plugin was updated, it is able to get the final URL of posts that are found inside the RSS feeds that it imports. This is useful when importing content from feeds like Google Alerts!

    Check the Echo RSS Post Generator plugin here: https://1.envato.market/echo

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />- Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    If you are a seller, how to update your plugin to a new version on CodeCanyon?

    In this video I will show you how to update a plugin that you are selling on CodeCanyon.

    Check the plugin that was updated in this video, here: https://1.envato.market/bulletproofvideos

    Check my plugin portfolio, here: https://1.envato.market/coderevolutionplugins

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to turn YouTube captions and subtitles into blog posts and transcripts?

    The Youtubomatic plugin was updated, it is now displaying captions for imported videos in a formatted way – with paragraphs added.

    Check the Youtubomatic plugin, here: https://1.envato.market/youtubomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to update to Newsomatic v3 from previous versions?

    In this video I will show you how to update to Newsomatic version 3.0.0 from previous versions. You will have to create a new purchase code on NewsomaticAPI.com and enter it in plugin settings.

    Check Newsomatic, here: https://1.envato.market/newsomatic

    Check NewsomaticAPI, here: https://newsomaticapi.com/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    TGomatic: How to automatically post to private Telegram channels?

    In this video I will show you how to post to private Telegram channels using the TGomatic plugin. Check the plugin here: https://1.envato.market/tgomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Newsomatic v3 update – NewsAPI is replaced by the brand new NewsomaticAPI!

    Newsomatic v3 update is released today! NewsAPI is replaced by the brand new NewsomaticAPI! NewsomaticAPI is free to use for all customers of the Newsomatic plugin, based on your purchase code for the plugin.

    Check here how to get your purchase code: https://www.youtube.com/watch?v=NElJ5t_Wd48

    Check the Newsomatic plugin (get a purchase code for it): https://1.envato.market/newsomatic

    Register for an API key for NewsomaticAPI: https://www.newsomaticapi.com/register/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    CodeCanyon alternatives for selling your WordPress plugins and scripts

    In this video I will show you a list of alternatives to CodeCanyon, where you can sell your WordPress plugins and scripts.

    Check the full list here:
    https://www.codester.com/
    https://www.mojomarketplace.com/
    https://mindzlance.com/
    https://creativemarket.com/
    https://alkanyx.com/
    https://www.piecex.com/
    https://codentheme.com/
    https://sugarkubes.io/
    https://heisenberg.studio/
    https://theme.bkgraphy.in/
    https://www.codegrape.com/
    https://one.templatemonster.com/

    My plugins on CodeCanyon: https://1.envato.market/coderevolutionplugins

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Congrats! Your Self-Certification ratings are accurate, so you get faster monetisation decisions.

    A new message popped up in my YouTube dashboard:
    “Congrats! Your Self-Certification ratings are accurate, so you get faster monetisation decisions.”

    It seems that I flagged my videos’ ad suitability correctly, and I got a small bonus from YouTube, because of this.

    Also, YouTube introduced a new “Checking” monetisation icon, which will be shown until the system is working on your videos and is checking them for monetisation eligibility. With this new monetization icon, we can easily see when YouTube’s automated systems are still ‘checking’ our videos against our advertiser-friendly guidelines.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Powerful update for all my plugins: Use Regex expressions to match and parse content that you import

    A new powerful update for all my plugins: Use Regex expressions to match and parse content that you import

    Help on the new update: https://coderevolution.ro/knowledge-base/faq/post-template-reference-advanced-usage/
    More on Regex: https://www.php.net/manual/en/reference.pcre.pattern.syntax.php
    Tool to create and learn Regex: https://regexr.com/
    Check my plugins, here: https://1.envato.market/coderevolutionplugins

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Explanation of the Logan/Tim/Tom Comment Bot from YouTube: “wanna be friends?” “loved it”

    In this video I will explain to you guys how the Logan/Tim/Tom commenting bot is working and what is the logic behind it’s functioning (what it’s creator is gaining from it).

    I also have a similar bot that can comment on YouTube videos, check it here: https://1.envato.market/youtubeautocommenter

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to call XML-RPC to update feeds in Echo RSS plugin, on your WordPress site

    If you follow the specification of a pingback, it would look like this:

    $sourceURI = 'http://FEEDURL.com/feed.xml';
    $targetURI = 'http://FEEDURL.com/feed.xml';
    $service = 'https://UPDATEDWEBSITE.com/xmlrpc.php';
    $request = xmlrpc_encode_request("weblogUpdates.ping", array($sourceURI, $targetURI));
    $context = stream_context_create(array('http' => array(
        'method' => "POST",
        'header' => "Content-Type: text/xml",
        'content' => $request
    )));
    $file = file_get_contents($service, false, $context);
    $response = xmlrpc_decode($file);
    if ($response && xmlrpc_is_fault($response)) {
        trigger_error("xmlrpc: $response[faultString] ($response[faultCode])");
    } else {
        print_r($response);
    }

    Which would give you the following output:

    Array
    (
        [flerror] => 
        [message] => Thanks for the ping.
    )

    Keep in mind to always call the weblogUpdates.ping method and to change the https://UPDATEDWEBSITE.com/xmlrpc.php URL from your code to the URL of your website where the plugin is installed. Also, please make sure that the XML-RPC service is enabled on your WordPress site.

    Also, http://FEEDURL.com/feed.xml should be changed to the feed URL which you wish to update. Please note that this feed URL must be added for importing in the Echo RSS plugin’s settings (and the rule should be enabled). The minimum time for consecutive running of the same feed using the XML-RPC method is set to 1 hour.

    Update for all my plugins: Full Spintax support added!

    I am happy to announce a new update for all of my plugins! Spintax support was added to all of them, now they will be able to generate unique content in the blink of the eye! 🙂

    Check info about Spintax, here: https://medium.com/@instarazzo/what-is-spintax-format-and-what-are-its-applications-on-instarazzo-6e1b812cc208

    Check my plugins, here: https://1.envato.market/coderevolutionplugins

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />- Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Post Template Reference – Advanced Usage

    Post templates are a powerful and flexible feature that allow you to customize how posts appear in your blog. Post templates allow you to randomize the format to give your blog a fresh and natural-looking appearance. You can use post templates to display images, video, audio, custom HTML, or even client-side scripts. This info applies to all the automatic content creator plugins that I created. Please check full supported plugin list, on CodeCanyon.

    All importing rules in my all of plugins have a default template that will modify the feed and add uniqueness to each post. You can set templates for any feed by editing the details of that feed. The feed syntax described below also works when defining custom fields.

    Note that post templates consist of HTML markup so carriage returns and other white space is ignored.

    Note that the template processing engine does minimal syntax checking so enter your templates carefully and double-check them when you get unexpected results.

    Shortcodes

    1. Inserting Shortcodes

    With post templates you can refer to any item in the feed or any information extracted by visiting the original URL.

    You can insert shortcodes into your post template by surrounding them with 2 percent signs (%%). For example, to insert the current title, use %%item_title%% in your template.

    2. Built-In shortcodes

    By default, each plugin will have it’s own set of custom shortcodes. Please check the respective plugin’s documentation or hints in the plugin menu for a full list of shortcodes that can be used in it’s settings.

    Example screenshot showing possible shortcodes, from the ‘Crawlomatic‘ plugin:

    Advanced Features:

    1. Full Spintax support

    Spintax, which is abbreviated for Spin Syntax, is a list of text phrases, sentences and synonyms separated by the pipe character (|). Each group of keywords is enclosed inside curly brackets ({}). The Spintax parser picks a random keyword or sentence from the available choices and generates unique sentences for each iteration.

    Let’s clarify it with some basic examples:

    a. Spintax Input

    {Hi|Hello|Good Morning}

    Outputs (each in a separate post or article):

    – Hi
    – Hello
    – Good Morning

    b. Spintax Input

    {Nice|Cool|Beautiful} photo

    Outputs (each in a separate post or article):

    – Nice photo
    – Cool photo
    – Beautiful photo

    There are no limits on the number of Spintax parts that you use in the comment. Let’s make it even clearer with another example:

    {A|The|One} {quick|fast} {brown|silver} {fox|dog|wolf}
    

    Spintax is comprised of words or phrases, delimited by | (pipe) characters. A random section is chosen from each curly-braced section of text. When done correctly, the resulting text should make perfect sense.

    Hint: you can also use shortcodes inside of Spintax. Example:

    News of today: {%%item_content%%|%%item_description%%|%%item_title%%}

    2. Regular Expression Function

    The regular expression function is the most powerful post template feature that my plugins offer. With the regular expression function you can extract content using the power of regular expressions.

    Syntax:
    %regex(“%%shortcode%%”, “pattern”, “element”, “delimeter”)%

    Example:

    %regex("%%item_content%%", "\b([a-z0-9]+(-[a-z0-9]+)*\.)+[a-z]{2,}\b", "0", ", ")%

    This example will return a comma-separated list of all domain names on the original page.

    %regex("%%item_description%%", "\b([a-z0-9]+(-[a-z0-9]+)*\.)+[a-z]{2,}\b", "0")%

    This example will extract the first domain name mentioned in the excerpt.

    %regex("%%item_url%%", "\b([a-z0-9]+(-[a-z0-9]+)*\.)+[a-z]{2,}\b", "1")%

    This example will return the domain name from the original link without the TLD. For example, if the link is https://example.com, the pattern will return example.

    Parameters:

    %shortcode% – This is any simple post template shortcode, such as %%item_title%% or %%item_content%%.

    pattern – This is the regular expression pattern. Due to the formatting of the post templates, use \x25 for the percent sign (%) and \x22 for a quotation mark (“).

    element – This allows you to return a submatch from your regular expression. The default value of 0 returns the whole match, 1 returns the first submatch, etc.

    delimeter – If there are multiple matches, they will all be returned separated by this delimeter. If this option is ommitted, only the first match will be returned.

    3. Get content from multiple plugins into the same posts

    You can get content imported into the same post, from multiple plugins (mix content generated by multiple plugins we created). Tutorial video:

    Using this method, you will be able to mix content generated by affiliate plugins, with content generated by content creator plugins.

    4. Get content from multiple rules (from the same plugin) into the same post:

    Like above, you can also get content nested into the single post, that is generated by multiple importing rules from the same plugin:

    Using this method, you will be able to mix content generated by multiple rules from the same plugin, making it more unique.

    5. Multiple Templates

    Our plugins allow you to make a list of templates to randomly choose from when adding a post. Place the string <!– template –> between each template as a separator.

    Example Post Template with Multiple Template Options

    Below is a full example of a post template that utilizes many of the elements described on this page:

    <p>%%item_description%%</p>
    {Read more here|Read the original here|
    Read more from the original source|
    Continued here|Read more|More here}:
    <a href="%%item_url%%" title="%%item_title%%">%%item_title%%</a>
    
    <!– template –>
    
    <p>{This is from|Here's %%item_cat%%-related post from|From}
    <a href="%%item_url%%" title="%%item_title%%">%%item_title%%</a>:</p>
    
    <blockquote>
    %%item_description%%
    </blockquote>
    
    {Read more|More|Continue here}:
    <a href="%%item_url%%" title="%%item_title%%">%%item_title%%</a>
    
    <!– template –>
    
    Here's {an interesting|a good|a new} {post|article} from %%item_url%%:
    
    %%item_description%%
    
    {Continue|More} here: <a href="%%item_url%%" title="%%item_title%%">%%item_title%%</a>

    “Nice Bot” update for Crawlomatic and Echo RSS Feed Importer plugins: respects the robots meta tags

    A new update was released for Crawlomatic and Echo RSS Feed Importer plugins: they respect the robots meta tags and will not scrape and crawl pages that are set as noindex, nofollow and none by the robots meta tags found in their content.

    Check Echo RSS Importer, here: https://1.envato.market/echo

    Check Crawlomatic, here: https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    YouTube adds Monetization Self-Certification to all creators! Rate your own videos for AdSense!

    We know yellow icons can be frustrating, which is why we’ve been piloting Self-Certification, a new way for creators to tell us more about their videos and get more involved in monetization decisions. YouTube expanded Self-Certification to more channels, with plans to make this available to all monetizing creators over the next few months.

    How exactly does Self-Certification work?
    During the upload flow, you’ll tell us more about what’s in your video and how it complies with our advertiser-friendly guidelines. You have the option to answer each question individually, or select “None of the above” if you believe your video is safe and suitable for all advertisers. As you provide input, you’ll see the expected monetization status and revenue potential for your video in real-time.

    Once you’ve answered the questions and uploaded your video, our automated systems will evaluate both your answers & content and then apply a monetization icon. You will still see the appeal option to request a review by YouTube teams.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog: https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website: https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Check: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    What are affiliate cookies and how you can benefit the most from them?

    In this video I will detail to you guys insights about affiliate cookies.

    To learn more about affiliate programs, check this online course: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    8 High Commission Rate Alternatives to Amazon Associates Affiliate Program

    In this video I will show you guys a List of Alternatives to Amazon Associates Affiliate Program:

    1. Walmart affiliate arogram: https://affiliates.walmart.com/#!/
    Walmartomatic: https://1.envato.market/walmartomatic

    2. eBay affiliate program: https://pages.ebay.com/seller-center/service-and-payments/ebay-affiliate-program.html
    Ebayomatic: https://1.envato.market/ebayomatic

    3. Commission Junction affiliate program: https://www.cj.com/
    Ebayomatic: http://1.envato.market/cjomatic

    4. AliExpress affiliate program: https://epn.bz/
    Ebayomatic: https://1.envato.market/aliomatic

    5. Envato affiliate program: https://envato.com/market/affiliate-program/
    Ebayomatic: https://1.envato.market/midas

    6. GearBest affiliate program: https://affiliate.gearbest.com/
    Ebayomatic: https://1.envato.market/gearomatic

    7. ClickBank affiliate program: https://www.clickbank.com/affiliate-network/
    Ebayomatic: https://1.envato.market/cbomatic

    8. Etsy affiliate program: https://www.etsy.com/affiliates
    Ebayomatic: https://1.envato.market/etsyomatic

    BONUS: Do you want more affiliate programs you can join today? Check this online course I created, where I included also a list of 755+ affiliate programs that you can join today (in any niche): https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website: https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? Check https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to get a Commission Junction access token in the new development console?

    How to get a Commission Junction access token in the new development console?

    Check the CJ development console, here: https://developers.cj.com/

    Check the Cjomatic Commission Junction Affiliate plugin, here: http://1.envato.market/cjomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Let me know what you think about my next plugin idea: Custom RSS Feed creator for any website

    Let me know what you think about my next plugin idea: a Custom RSS Feed creator that would be able to create RSS feeds on your own website, based on other sources (websites). Please let me know what you think about this idea! Thank you!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Besides Ads, here are some other monetization methods for my YouTube channel

    Besides Ads, here are some other monetization methods for my YouTube channel: affiliate marketing and promoting my own products.

    Video where I describe ad revenue for this channel: https://www.youtube.com/watch?v=kSk0GsOSYVg

    Video where I show affiliate income that this channel generated: https://www.youtube.com/watch?v=4yeGwtGv5HY

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to get an Amazon S3 API key and secret?

    In this video I will show you how to get an Amazon S3 API key and secret. Please check the link, where you can get these in the Amazon S3 Management Console, here: https://eu-central-1.console.aws.amazon.com/console/home

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to automatically add your logo or watermark to featured images from posts in WordPress?

    In this video I will show you how to automatically add your logo to featured images from posts in WordPress? Check the Kraken plugin which does the magic, here: https://1.envato.market/kraken

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to get an API key and secret for OneDrive API from Microsoft Azure

    In this video I will show you how to get a Microsoft Azure app key and secret for OneDrive, from the Azure API control panel, here: https://portal.azure.com/#blade/Microsoft_AAD_RegisteredApps/ApplicationsListBlade

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Demo My WordPress update: clone the main website of the multisite install

    A new update is available for the ‘Demo My WordPress’ plugin: it is able to clone the main website of the network WordPress install and to present it to your customers who create new demos using the plugin!

    Check it out now: https://1.envato.market/demo

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to apply for the Pinterest API v2 – v1 API will be deprecated soon!

    In this video I will show you how to apply for the Pinterest API v2 – v1 API will be deprecated soon! I will share with you guys any updates that I will find out about this, as soon as possible.

    Apply for a Pinterest v2 API key here: https://developers.pinterest.com/manage/

    Pinterest v1 API keys (will be deprecated in the future): https://developers.pinterest.com/apps/

    You can use the API to import pins from Pinterest to WordPress, or to post pins automatically to Pinterest, using this plugin I developed: https://1.envato.market/pinterestomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    MailChimp – how to fix “Due to high bounce rates, restrictions have been placed on your account”

    So, my MailChimp account was limited because I had a hard bounce rate of 22.22% on my latest email campaing. Check in this video how I try to fix this by creating a ‘Reconfirmation Campaign’ in MailChimp.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Showing Traffic for one of my AutoBlogs with AdSense enabled on Google Analytics

    In this video I will show you guys the traffic for one of the websites I built for passive AdSense income. It is a video aggregator site, which imports videos from YouTube in the Hungarian language.

    Check the site here: https://magyartube.com/

    Video where I show details about the website: https://youtu.be/CdgGU9vPmbw

    Youtubomatic plugin – the one that generates the content: https://1.envato.market/youtubomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    CoViD-19 Plugin update: Add new charts to show the symptoms that appear for the infected

    CoViD-19 Plugin update: Add new charts to show the symptoms that appear for the infected, during the pandemic.

    Check the plugin here: https://1.envato.market/covid19

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />- Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Comparing my website’s load speed on different speed testing tools

    Checking my website on different speed test services available out there. There is still much work to be done in order to make my website faster!

    My website: https://coderevolution.ro/
    Speed testing tools used:
    Page Speed Insights from Google: https://developers.google.com/speed/pagespeed/insights/
    GTMetrix: https://gtmetrix.com/
    Pingdom: https://tools.pingdom.com/
    Webpagetest: https://www.webpagetest.org/
    Uptrends: https://www.uptrends.com/tools/website-speed-test
    Dotcom-tools: https://www.dotcom-tools.com/website-speed-test.aspx

    Updates on performance improvement results for my website will come in the future, here on my channel.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Stuck at home? Check out these plugins to start earning an additional income stream!

    Given the current health situation we find ourselves in, people are being forced to spend more time at home. This gives us, a unique opportunity to create our own income streams, from the comfort of our home.

    Here are my plugin recommendations for this: https://1.envato.market/youtubomatic
    https://1.envato.market/newsomatic
    https://1.envato.market/echo
    https://1.envato.market/crawlomatic

    Example websites created by the plugins:
    https://wpinitiate.com/
    https://magyartube.com/
    https://dietapersonala.ro/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to create a Facebook Access Token in 2020?

    In this short tutorial video I will show you how to create a Facebook access token in 2020 (with the current Facebook API developer dashboard).

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Envato Elite Care Pack Unboxing by CodeRevolution. The last of the care packs ever sent out 2020

    Envato Elite Care Pack unboxing by CodeRevolution.

    Thank you all for your support! Thank you Envato for sending this out to me!

    Check my portfolio: https://1.envato.market/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    The Envato Elite Program was officially changed, check what changes were made to it

    So, the Envato Elite Program was changed. If you reach higher rankings on Envato, by selling more and more items, you will no longer get a surprise package in the mail, but instead, you will get a cash bonus to your account.

    Check details here: https://help.author.envato.com/hc/en-us/articles/360039107471

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Autoblog Iframe Extension update: it is able to be disabled for different rules from plugins

    Autoblog Iframe Extension plugin was just updated: it is able to be disabled for different rules from different plugins – this was a much requested update, and it boosts the value of the plugin greatly.

    Check the plugin here: https://1.envato.market/iframe

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Affiliate Program Review Episode 4: “Envato on Impact Radius”

    Hello, and welcome back to the Affiliate Program Review Episode 4: “Envato on Impact Radius”

    Today, in Affiliate Program Review Episode 4: Envato Market’s affiliate programs are reviewed (ThemeForest and CodeCanyon affiliate programs).

    Check their commission, how much can you earn, how do they pay and many more. Everything is based on my genuine experience with the affiliate program.

    You can join Envato’s affiliate program, here: https://envato.com/market/affiliate-program/

    Don’t forget to check also the Mega Bundle that I created (high commission amount, if you generate sales for it): https://1.envato.market/MegaBundle

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    AutoBlog Iframe Extension Plugin for WordPress update: edit the content next to the iframe

    The AutoBlog Iframe Extension Plugin for WordPress just got a brand new update: you are able now to edit the content that is displayed next to the iframe, using shortcodes.

    Check the “AutoBlog Iframe Extension Plugin” here: https://1.envato.market/iframe

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ——————————

    👍🏼 Please help & give the video a like if you enjoyed it!
    ❤️ Not Yet Subscribed? (love in the house if you do!)
    🔔 Hit the notification bell to ensure you get notified!
    ✅ Check my blog: https://coderevolution.ro/blog/
    💭 Add your comments! Ask any questions! (please be polite)
    _________________________________________
    ✅ CAN I HELP YOU OR YOUR BUSINESS ❓… ¯_(ツ)_/¯
    🌍 CodeRevolution Membership Area: https://coderevolution.ro/join-the-site/
    _________________________________________
    ✅ CAN YOU HELP ME TO HELP YOU ❓… ¯_(ツ)_/¯
    💖 Please Support Me: https://www.tipeeestream.com/coderevolution/donation
    _________________________________________
    ✅ EITHER WAY, CAN WE KEEP IN TOUCH ❓…
    🔗 Join the CodeRevolution VIP List here 👉🏼 https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ——————————

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to not get a video demonetized on YouTube? Avoid this list of words!

    I found a huge list of words that will probably get your video demonetized if you say them multiple times the video. So, the best strategy is to check the list and to try to avoid saying the words listed, as much as possible.

    Check the FULL list of forbidden words in YouTube videos, here: https://docs.google.com/spreadsheets/d/1ozg1Cnm6SdtM4M5rATkANAi07xAzYWaKL7HKxyvoHzk/htmlview?sle=true#

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Why is every Coronavirus related video demonetized on YouTube?

    A question popped into my head today: Why is every Coronavirus related video demonetized on YouTube?

    If you have info on this, let me know, I find it pretty suspicious, and I am not sure why exactly this might happen on YouTube.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Crawlomatic update: remember last URL it crawled and continue crawling from there

    Crawlomatic was updated: it is able now to remember the last URL it crawled and continue crawling from there, the next time it runs. This is a great feature to have, especially for crawling websites with paginated results.

    Check Crawlomatic here: https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />- Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Update for all my video uploading or live streaming plugins: YouTube January update fix

    I just released an update for all my video uploading and live streaming plugins to fix the changes produced in YouTube January 2020 update (they changed some meta tag from video’s HTML content, which was used in my plugins), the latest updates for the plugins fixes this issue and makes all my plugins compatible with latest YouTube changes. The change consists in removal of the url_encoded_fmt_stream_map meta tag from videos.

    Check my plugins that were affected by this update here:

    Youtubomatic: https://1.envato.market/youtubomatic
    YouLive: https://1.envato.market/youlive
    Fbomatic: https://1.envato.market/fbomatic
    FaceLive: https://1.envato.market/facelive
    MultiLive: https://1.envato.market/multilive
    Vimeomatic: https://1.envato.market/vimeomatic
    DMomatic: https://1.envato.market/dmomatic
    OKomatic: https://1.envato.market/okomatic
    Twitchomatic: https://1.envato.market/twitchomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    What are Envato Sale Reversals (ThemeForest, CodeCanyon)

    In this video I will explain what are the ‘Sale Reversals’ that you will see in your Envato account’s statement, if you are and author on any Envato marketplace, and you are selling your digital products there.

    Envato Marketplaces: ThemeForest, CodeCanyon, VideoHive, AudioJungle, PhotoDune, GraphicsRiver, 3DOcean

    If you are a customer that purchased content on Envato, please do not make a dispute with the payment gateway or your bank, because this will result in a sales reversal, and your Envato account will be disabled as a result. Instead, please make a refund request here: https://codecanyon.net/refund_requests/new

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    AutoBlog Iframe Extension: Embed Original Articles on Your Blog without Duplicate Content Penalties

    Check this new way to create an autoblog on your website.
    This plugin will work as an extension for other autoblogging plugins I created, and it will use the power of iframes to embed directly in your page, the imported original content. This will not bring any SEO penalty, nor will visitors notice any difference between your content and imported content.

    Please check the plugin here: https://1.envato.market/iframe

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Is Selling my YouTube Channel Legal?

    In this video I will show you guys some info I found on the subject of selling and buying YouTube channels and Google accounts. Check the video for more details!

    AdSense Terms: https://support.google.com/youtube/answer/1311392?hl=en />
    Google Account Terms:
    https://policies.google.com/terms?hl=en&gl=it />
    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 5,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WP PLUGIN PORTFOLIO? –
    https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1 />
    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business
    https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter and download a FREE PDF on Affiliate Marketing (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal />
    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F />
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶BUSINESS BOOKS?
    Leaders Eat Last – https://amzn.to/2sT1nZM
    The Power of Habit: Why We Do What We Do in Life and Business – https://amzn.to/2TTGZ5Q
    Starting a Business QuickStart Guide – https://amzn.to/2TVe8yf
    The Infinite Game – https://amzn.to/2U2PjjI
    Before You Quit Your Job – https://amzn.to/2Gm2K6D
    High Performance Habits – https://amzn.to/36tgYNk

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs />- Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ />- Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i />- Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE />- Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ />
    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Affiliate Program Review Episode 1: “Elegant Themes”

    I am starting a new affiliate program review series, based on my experience with affiliate programs.

    Today, in Affiliate Program Review Episode 1: Elegant Themes’s affiliate program is reviewed. Check their commission, how much can you earn, how do they pay and many more. Everything is based on my genuine experience with the affiliate program.

    Check Elegant Themes’s Affiliate Program here: https://www.elegantthemes.com/affiliates/

    Purchase the Divi Theme from Elegant Themes (the most popular theme that they created so far): https://www.elegantthemes.com/affiliates/idevaffiliate.php?id=50837_5_1_16 (affiliate link, thank you for using it)

    Check Elegant Themes Main Page: https://www.elegantthemes.com/affiliates/idevaffiliate.php?id=50837_1_1_3 (affiliate link, thank you for using it)

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to Create and Configure Your Author Account on CodeCanyon or ThemeForest?

    In this video I will show you how to configure your Author Account on Envato Marketplaces like: CodeCanyon, ThemeForest, AudioJungle, VideoHive, 3DOcean, GraphicsRiver or PhotoDune.
    I will explain what you need to do to configure your account properly, how to enter your personal information, how to set a featured item for your account, how to enable Google Analytics in your Envato account, how to submit your Tax Information to Envato, how to select the proper Tax Treaty to benefit from lower USA Royalty Withholding Rates, how to select item exclusivity agreement, how to select item license types and many more!

    Check here info about USA Royalty Withholding rates for each country: https://help.author.envato.com/hc/en-us/articles/360000470606

    The process of uploading my newest plugin to CodeCanyon: https://www.youtube.com/watch?v=wQtOh4J3V1I

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    What Happens to Your Channel When You Reach 1,000 Subscribers On YouTube? [ CodeRevolutionTV ]

    Let me tell you guys exactly what changed on my YouTube channel after I passed the 1000 subscribers milestone. I will list 10 changes that I saw happening on my channel! They are really cool perks that YouTube offers in exchange for being a creator on their platform, check them out!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to migrate to the Amazon Product Advertising v5 API (from the old v4 API)

    Amazon is deactivating access to their v4 API on March 9, 2020. Current API will be shut down and everyone who didn’t migrate will not have access any more to the API.

    If you are using Amazomatic, this is recommended, because I will soon update the plugin to match the v5 API requirements, and if you haven’t migrated your API yet, the plugin will no longer work for you.

    First thing to do – migrate to new keys

    Current users of Amazon Product Advertising API have their accounts linked with AWS. And first thing that Amazon wants all those people to do is to decouple Associate account from AWS.

    Here is a fair warning: When you migrate your Product Advertising API account from AWS, your old credentials stay valid for a period of 3 days. After the 3 days period, your old AWS credentials will stop working with Product Advertising API.

    So, I recommend doing this immediately – once you issue your new keys, you’ll have 3 days to actually start using those. New credentials work with API version 4 and 5, so this requires no code changes.

    Moving to new API

    As Amazon claims, it could take up to 4 weeks to update.

    “We have found that it takes 3 or 4 weeks to make changes to a typical application to upgrade from PA API 4 to PA API 5. The time for testing and deployment depends on your individual installations.”

    Considering that there is not much in terms of heads-up from PA API team – I recommend to start moving now.

    Good luck!

    Official Amazon documentation on how to make the migration:

    To migrate your existing Product Advertising API account from AWS

    1. Log into Associate Central website with email id of Primary owner of the store. Confirm you have selected correct store in top right drop down, else update it to correct store. On the Manage Your Credentials page, choose Migrate. We automatically create new credentials for you.

      Update your Product Advertising API applications with your new pair of credentials.

    2. After you migrate your account, on the Download credentials page, copy your Access Key and Secret Key or choose Download Credentials.

    3. You can use your new credentials to make requests to both Product Advertising API 4.0 and 5.0. Your old credentials will continue to work with Product Advertising API 4.0, but only with new credentials you’ll be able to call Product Advertising API 5.0 successfully.

    Earn Cryptocurrency with YouTube – lbry.tv

    I found a new way to monetize your YouTube channel. It is called lbry.tv and it will allow you to earn more passive income, this time in cryptocurrency. The LBRY protocol has a built-in digital currency that allows it to function called LBRY credits (LBC). These credits are very similar to bitcoins.
    Sign up to lbry with my link and get 20 LBC for free, here: https://lbry.tv/$/invite/@CodeRevolutionTV:d

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    YouTube Community Posts Enabled for my Channel!

    I am really excited today to give a new YouTube feature a try: the YouTube community posts! My channel recently passed 1000 subscribers, and as a result I got the YouTube community posting feature! Thank you for all my subscribers for being part of this great community!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to customize YouTube embeds? A free and simple method!

    I will show you a simple method on how you can easily customize YouTube video embeds from your website. You canenable autoplay, loop videos, disable fullscreen, enable modest branding, start or end vide playback at specific times, disable keyword controls, hide video information, hide video controls and many more. I use TubeBuddy to make this all possible.
    Check TubeBuddy here: https://www.tubebuddy.com/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to create a Google My Business rating link?

    In this video I will show you how to create a Google My Business rating link, that will allow your customers to easily rate your business on Google, just by clicking a link that you can add to your website or even share on social media.
    You can get your review link here: https://supple.com.au/tools/google-review-link-generator/

    My Business review link: http://search.google.com/local/writereview?placeid=ChIJVYXiNAwNSUcRR27oXKJV65M

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    The process of uploading my newest plugin to CodeCanyon

    In this video I will show you the full process how I upload my latest plugin to CodeCanyon. The plugin is called: “PerfBoost Scheduled Plugin Manager – Boost WordPress Performance”.

    The PerfBoost plugin was approved for sale 2 hours after I submitted it for review. Check it here: https://1.envato.market/perfboost

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Crawlomatic update: strip internal links from scraped content

    A new update was made for the Crawlomatic plugin: it is able to strip internal links from scraped content!

    Check Crawlomatic here: https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    YouTube tool to check Made For Kids videos – COPPA helper tool

    Today I found a great tool that can help organize videos and mark them as ‘Made for Kids’, to comply with the COPPA regulations from YouTube.
    Check TubeBuddy here: https://www.tubebuddy.com/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Why Watch New Videos With Me Every Day?

    Why Watch New Videos With Me Every Day?
    I publish a new video on this YouTube channel each day at 8 PM GMT. I talk about passive income and affiliate marketing. The WordPress plugins I create will also aid you in this matter. Please don’t forget to subscribe and hit the bell notification, so you can be the first to see the new videos I release.
    Also, if you found this video helpful, please hit the like button on it, and like this you will be able to let me know that I did a good job with it!
    Thank you and see you in my next video!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to find Udemy Paid Courses that are 100% Free to Enroll?

    In this video I will show you a method to search and discover 100% legit and 100% discounted Udemy courses using Google search! Check the video for details!
    Use this search string in Google:

    site:https://www.udemy.com/ inurl:”/?couponCode=” -“Buy now”

    Don’t forget to set the search period to ‘Last Month’.

    I also created a Udemy course (The Greate Affiliate Program List), you can check it here: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F
    In the course, you will find a huge list of affiliate programs you can join today, organized by niches.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Newsomatic: How to remove the ‘Read More’ button from the end of generated posts?

    In this video I will show you how to remove the ‘Read More’ button from the end of generated posts, using Newsomatic?

    Check Newsomatic here: https://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    COPPA 2020 update – Things aren’t AS Bad As You Think

    So things cleared up more about COPPA, and it seems that things are not as bad as it seemed in 2019. Details in this video.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – Newsomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIi-LWwOcsZDnWZcG8FtuYGs
    – Crawlomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIgcqNzVBaoTCS4ws47vNMuQ
    – Youtubomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhzwV5VhpV7kgUuClLNpP9i
    – Echo RSS Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhKwBdxZMUdHHY4XuXLvctE
    – Fbomatic Playlist: https://www.youtube.com/playlist?list=PLEiGTaa0iBIhQ4w7Pcyph1UkPTrAQgubZ

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    What is the difference between Newsomatic, Echo and Crawlomatic plugins?

    In this video I will explain a question that is popping up frequently from customers: What is the difference between Newsomatic, Echo and Crawlomatic plugins?

    Newsomatic: https://1.envato.market/newsomatic
    Echo: https://1.envato.market/echo
    Crawlomatic: https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to create a WooCommerce External Product automatically using my affiliate plugins?

    In this video I will show you how to create a WooCommerce affiliate external product, using my plugins.

    Code to enter in plugin settings (don’t forget to replace ) with angled brackets – because YouTube is not allowing angled brackets in here):

    Post Custom Fields:
    _price =) %%item_original_price%%, _product_url =) %%item_url%%

    Post Custom Taxonomies:
    product_type =) external

    The plugin used in the video is Aliomatic, check it here: http://1.envato.market/aliomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Aliomatic update: custom taxonomy creation support added!

    The Aliomatic plugin (AliExpress affiliate plugin) was updated: it is able now to add custom taxonomies to generated posts!

    Check Aliomatic here: http://1.envato.market/aliomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Echo RSS Importer Plugin: Why some RSS Feeds are not working, cannot be imported using the plugin?

    In this video I will show you a way to debug feeds that are not working in the Echo RSS Feed Post Generator plugin.

    Validate your feeds here: http://simplepie.org/demo/

    Check Echo RSS here: https://1.envato.market/echo

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Use Custom Taxonomies and Custom Fields in Automatic Content Editing – Kraken plugin update

    The Kraken Automatic Post Editor plugin was updated today, it allows now to use the values of custom post taxonomies and post custom fields inside of the edited post’s content.

    Check Kraken here: https://1.envato.market/kraken

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Crawlomatic: simulate website user login using cookies, to get full content from restricted articles

    In this video I will show you how to use the cookie feature from the Crawlomatic plugin to scrape content that would be available only to logged in users from different websites.

    Check Crawlomatic here: https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    2019 Year End Review – a really great year passed! Thank you guys for being part of it!

    I can say that, as a whole, 2019 was a really great year for me and also for my company. As you might know, if you already read my 2018 year in review post, my main source of revenue is coming from creating WordPress plugins, and selling them on CodeCanyon.

    Check the ‘2019 Year End Review’ post on my blog, here: https://coderevolution.ro/2019/12/17/2019-year-end-review-a-really-great-year-passed/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to upload your WordPress plugin to CodeCanyon? Step by step video tutorial

    In this video I will show you how to upload a WordPress plugin to CodeCanyon – step by step, each and every necessary info will be in the video.

    The Grammar Matters plugin was approved for sale (3 hours of wait time, after I submitted it for review in this video): https://1.envato.market/gmatters

    I created 103+ WordPress plugins, so I know what I am talking about in this video 🙂 – check my portfolio: https://1.envato.market/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Grammar Matters – Automatic Grammar Checker and Fixer Plugin for WordPress

    In this video I show you how to use the Grammar Matters plugin I created.

    It is able to automatically correct grammar in posts you publish. Manual fixing is also possible.

    Check the plugin here: https://1.envato.market/gmatters

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Newsomatic: How to fix automatic importing of posts not working in the plugin

    Newsomatic: How to fix automatic importing of posts not working in the plugin

    Check Newsomatic here: https://1.envato.market/newsomatic

    Online cron job creator URL: https://cron-job.org/en/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Newsomatic: Fix post not having a featured image when automatically posted to social networks

    In this video I will show you a way to fix an issue that might appear when posting content generated by the Newsomatic plugin, automatically to social networks using other plugins.

    Check Newsomatic here: https://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    FIX: The link you followed has expired – Error while uploading WordPress plugins

    In this video I will show you how to fix the “The link you followed has expired” error that might keep coming up for you, when you try to upload WordPress plugins. The fix will need you to make changes to the php.ini configuration file from your server. If you don’t have access to this file, you must contact your hosting provider’s support and ask them to help.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Youtubomatic update: show your own image ads before embedded videos from posts

    In this video I will show you a cool feature from the Youtubomatic plugin. It is able to display your own image ads before allowing people to play the YouTube videos it embeds in posts.
    Check the Youtubomatic plugin here: https://1.envato.market/youtubomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Eventomatic update: Eventbrite search api shutdown – new features added instead of the event search

    Eventbrite notified me that they are disabling access to the Eventbrite Event Search API starting from 12th December 2019 – because of this, I updated the Eventomatic plugin (which was using this API node), to use new ways to import events, so the plugin will continue to function.

    Check the Eventomatic plugin here: http://1.envato.market/eventomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Crawlomatic update – automatically scrape paged posts from web sites

    The Crawlomatic plugin was update – it is able to automatically scrape results from pages websites that it crawls.

    Give it a try here: https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Tutorial: How to add Custom Post Fields and Custom Post Taxonomies using CodeRevolution’s plugins?

    In this video I will show you how to add custom post fields and custom post taxonomies to generated posts using any of the plugins I created, that supports this feature. Please check my plugins here: https://1.envato.market/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Echo RSS Plugin Update: add canonical meta tags to generated posts

    The Echo RSS Feed Post Generated Plugin was updated, now it is able to add canonical tags for each rule (activate or deactivate this feature for each rule).
    Check the plugin here: https://1.envato.market/echo

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to verify your website on Impact Radius?

    In this video I will show you how to verify your website on Impact Radius affiliate network! Profit of it’s huge growth, join in! 🙂

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Create an news aggregator website using the Echo RSS plugin: link imported posts to their source

    In this video I will show you how to link imported posts directly to their source, using the Echo RSS Feed Post Generator plugin. This feature is supported also by other plugins that I created!

    Check the Echo RSS Plugin here: http://1.envato.market/echo

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Crawlomatic plugin update: DeepL translator support added!

    Crawlomatic was updated today, starting from now, it is able to translate content also using the DeepL translator API.

    Check Crawlomatic here: https://1.envato.market/crawlomatic

    Check DeepL here: https://www.deepl.com/home

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Learnomatic Udemy Affiliate plugin update: import full online course description

    The Learnomatic plugin was updated, now it is able to import full content for the online courses you promote on your site.

    Give Learnomatic a try, here: https://1.envato.market/learnomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Newsomatic: How to import content from any website that is listed by NewsAPI?

    In this video I will show you how to import content from any website that is supported by NewsAPI (not just the ones listed in plugin settings). Pro tip: you can also import content from YouTube, using the Newsomatic plugin!

    Check the Newsomatic plugin, here: https://1.envato.market/newsomatic

    Check NewsAPI, here: https://newsapi.org/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Cyber Monday 3 new plugin discounts added! 50% off!

    3 new plugins were added to the Cyber Monday Sale. Check ALL available discounts here:
    https://coderevolution.ro/cyber-monday-sale-2019/

    Aliomatic: http://1.envato.market/aliomatic
    Playomatic: http://1.envato.market/playomatic
    Wikiomatic: http://1.envato.market/wikiomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Crawlomatic update: strip parts of the imported content by XPath

    Crawlomatic just got a new update: you will be able to strip parts of the imported content by XPath! Check this video for details.

    Get Crawlomatic from here: https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Yummomatic 2.0 update: import recipes using the Spoonacular API

    Because the Yummly API was closed on 30 September 2019, I have rewritten the Yummomatic plugin to no longer use the now defunct Yummly API, but instead, the free Spoonacular API. This is great news for current and future customers who purchase this plugin.

    Check the Yummomatic plugin here: http://1.envato.market/yummomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Check where I managed to upload my online course: multiple marketplaces for multiple revenue sources

    In this video I will show you the marketplaces I managed to upload my online course: “The Great Affiliate Program List Course”

    Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    SkillShare: https://www.skillshare.com/classes/The-Great-Affiliate-Program-List-Course/879429932

    Uthena: https://uthena.com/courses/the-great-affiliate-program-list-course?ref=79ff53

    LearnFly: https://www.learnfly.com/the-great-affiliate-program-list-course

    Teachable Marketplace: https://coderevolution.teachable.com/p/the-great-affiliate-program-list-course

    If you know of other marketplaces where online courses can be published, let me know in the video’s comments!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to get a SoundCloud API key?

    Go to the SoundCloud website

    You must be signed in to your SoundCloud acccount. Start playing any radio or song and hit F12 in your Chrome browser and go to the ‘Network’ tab in your browser developer console. There you will find values like: https://api-v2.soundcloud.com/dashbox/listen?&client_id=xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx

    Simply copy the client_id parameter and you are done, you have a new SoundCloud API client ID.

    Learnomatic Udemy Affiliate plugin tutorial: create WooCommerce products from posted online courses

    In this video I will show you how to use the Learnomatic Udemy Affiliate plugin to import WooCommerce products and redirect them directly to the Udemy sales page of the course when customers hit the ‘Add to cart’ button on your Woocommerce product sales page.

    Check Learnomatic here: https://1.envato.market/learnomatic

    Code to be added in the ‘Post Custom Fields’ settings field in plugin settings: https://justpaste.it/2d1gn

    The ‘WooCommerce Add to Cart Custom Redirect’ plugin: https://wordpress.org/plugins/woocommerce-add-to-cart-custom-redirect/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Black Friday / Cyber Monday 2019 for my plugins – The Savings Start Today!

    I have great news today! I started the Black Friday / Cyber Monday discount campaign for this year!
    Check the promotional page here: https://coderevolution.ro/cyber-monday-sale-2019/

    Don’t miss out on the discounted plugins (50% off), promotion ends on 3rd December 2019!

    Also, subscribe to my newsletter, because on December 2nd, I will make a flash discount also for the Mega Plugin Bundle (which includes all my current and future plugins from CodeCanyon): https://mailchi.mp/f6502169415c/coderevolution-newsletter

    What is the Mega Plugin Bundle? https://1.envato.market/bundle

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    What plugin should I implement next? Suggest my next WordPress plugin!

    What should I implement next? Suggest my next WordPress plugin!
    Before making a suggestion, please check my portfolio, so you don’t suggest something that I already implemented in the past: http://1.envato.market/coderevolution

    Looking forward for your suggestions in this videos comments! 🙂

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Learnomatic – Udemy Affiliate Post Generator Plugin for WordPress

    In this video I will show you how to configure the “Learnomatic – Udemy Affiliate Post Generator Plugin”. Using this plugin you will be able to create an affiliate income from the Udemy affiliate program.

    Check the plugin here: https://1.envato.market/learnomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Sneak peak of my next plugin: Learnomatic – Udemy Affiliate Plugin for WordPress

    In this video I will show you a sneak peak of my next plugin: Learnomatic – Udemy Affiliate Plugin for WordPress – it will allow you to create content to your WordPress blog based on Udemy affiliate courses, and to earn income from promoting them.

    The plugin will be released on CodeCanyon, after I will finalize it. 🙂

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    Sign this Petition to Save Family Friendly Content on YouTube (COPPA)

    Starting from January 2020, content creators from YouTube will risk a fine of 42530 per video that is not flagged correctly as “Made for Kids”!

    Stop this from happening by signing this petition: https://www.change.org/p/youtubers-and-viewers-unite-against-ftc-regulation

    Let’s save content creators from YouTube together!

    More info about COPPA and “Made for Kids” content: https://www.youtube.com/watch?v=G9YYqTr-xhA

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price):
    https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to boost subscribers and views for your small YouTube channel (get 1000 subs fast!)

    In this video I will show you a method I used to boost views and subs on my small YouTube channel. The method is easy to implement and will grant you bonus subscribers that are very engaged to the content that you create. They will be easily converted also to customers, if you have products that you promote. Check the video for more details on this method!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    WordPress 5.3 bug – large image upload from PHP code not working

    This is just a quick heads up video that WordPress 5.3 has a bug in it, and attaching of large resolution images to posts from code (plugins) is not working correctly. I hope this will be solved soon in WordPress 5.3.1

    The WordPress Trac Bug Tracker ticket: https://core.trac.wordpress.org/ticket/48712

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶UDEMY? I am also an online instructor on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    PS: This description contains affiliate links that allow you to find the items mentioned in this video and support the channel at no cost to you! If you are like me, you will love using the links when you are ready to research and buy because you will know this helps me continue sharing the best of what I know here for free with you! Thank you for your support!

    How to generate an RSS Feed for any website (or even YouTube, Facebook, Twitter or Reddit)?

    In this video I will show you a cool way to generate an RSS Feed for any website (or even YouTube, Facebook, Twitter or Reddit)?

    Check RSS APP here: https://rss.app/

    Check Echo RSS Importer here: http://1.envato.market/echo

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Newsomatic: what is the difference between the ‘Top News to Posts’ and ‘Custom News to Post’ menus?

    Newsomatic: what is the difference between the ‘Top News to Posts’ and ‘Custom News to Post’ menus? In this video I will explain exactly the difference between these two menus from the Newsomatic plugin.

    Check the Newsomatic plugin here: https://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Let’s update to WordPress 5.3 together – what is new in the new version of WordPress?

    Let’s update to WordPress 5.3 together – what is new in the new version of WordPress?

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    YouTube front page got redesigned! Do you like the new looks of YouTube?

    YouTube front page got redesigned! Do you like the new looks of YouTube?

    Let me know your opinion about this style change in the video’s comments!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How to know if a video is “Made for Kids” or not – how to comply with the new COPPA law?

    How to know if a video is “Made for Kids” or not – how to comply with the new Children’s Online Privacy Protection Act (COPPA) law?

    If you don’t know about COPPA, please check the previous video I released on this subject: https://www.youtube.com/watch?v=G9YYqTr-xhA

    The official suggestions made by YouTube for checking if videos are “Made for Kids” or not: https://support.google.com/youtube/answer/9528076?hl=en

    Here is the list that should be checked:

    – Subject matter of the video (e.g. educational content for preschoolers).
    – Whether children are your intended or actual audience for the video.
    – Whether the video includes child actors or models.
    – Whether the video includes characters, celebrities, or toys that appeal to children, including animated characters or cartoon figures.
    – Whether the language of the video is intended for children to understand.
    – Whether the video includes activities that appeal to children, such as play-acting, simple songs or games, or early education.
    – Whether the video includes songs, stories, or poems for children.
    – Any other information you may have to help determine your video’s audience, like empirical evidence of the video’s audience.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    BERT Google Algorithm update: the focus changes from keywords to topics! Machine learning & AI

    Google just announced the most important update for their search algorithm, in five years! The name of the update is BERT, which will impact 10% of search queries.

    What is BERT and how will it impact you and your online experience?

    Check this article for more info: https://www.searchenginejournal.com/google-bert-update/332161/#close

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How to get Full Article Content using the Newsomatic plugin (Easy Method)

    In this video I will show you how to get full imported article content for news posts generated by the Newsomatic plugin. The plugin was updated, and it no longer requires you to specify the exact HTML selector from where it should import the article’s full content – now it can also automatically detect content from imported pages.

    Check the Newsomatic plugin here: https://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Are your videos “Made for Kids”? What is COPPA and how it will affect you?

    YouTube made big changes to their platform, to comply with the new Children’s Online Privacy Protection Act (COPPA) – this is a law that came in action recently, and it is forcing YouTube to make content as “Made for Kids” or “Not Made for Kids”. They will restrict features of videos that are marked as “Made for Kids” – so, unfortunately, channels that targeted a young audience will suffer because of this change.

    If you don’t know if your videos are made for kids, check this video I created, where I try to explain which videos are categorized as “Made for Kids”: https://www.youtube.com/watch?v=G9YYqTr-xhA

    Official YouTube announcement: https://www.youtube.com/watch?v=-JzXiSkoFKw

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Creating one video per day: what are the benefits of this until now for my YouTube channel?

    Let me show you how creating one video per day helped grow my YouTube channel – detailed benefits of this method – gain more video views and channel subscribers!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Crawlomatic: how to scrape pages that are protected by HTTP a password?

    This video will show you how to crawl pages using the Crawlomatic plugin that are protected by a HTTP password.

    Check the Crawlomatic plugin here: https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How to password protect WordPress using cPanel? Easy method!

    In this video I will show you how you can easily password protect your WordPress website (or also other types of websites), using cPanel, with 3-4 clicks. This is a really easy method!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Echo plugin update: add conditional tags to imported posts!

    A new update was made for the Echo RSS Post Generator plugin!

    You will be able to import tags using it, that are relevant to the content. Check the video to see how this cool feature works!

    Echo RSS plugin: http://1.envato.market/echo

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    I have bad news today: Envato did not select my items for the 2019 Cyber Mondays sale 😥

    Bad news today, guys: Envato did not select my items for the 2019 Cyber Monday sale. However, don’t be sad about this, because we will still make the sale inhouse!
    Let me know in this video’s comments which plugins you wish to get from my portfolio at a 50% discounted price, and we will make it happen!

    My portfolio (select the plugins from here): http://1.envato.market/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How to use proxies with my plugins? I show Crawlomatic as an example

    In this video I will show you how to use proxies in my plugins, so you will be able to get content from web pages, without using the actual IP address of your web server, but using the IP address of the proxy, instead.

    The free proxy list I used in the video: https://free-proxy-list.net/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    What is your review of Envato? Surprising Quora answers (real or fake)? Is Envato a scam?

    I found today a Quora question about Envato that has almost only negative reviews on it, and I was really amazed of this. Any ideas why there is so much hate towards Envato on Quora? Let me know your opinion in the comments of this video.

    Quora question about Envato that surprises me: https://www.quora.com/What-is-your-review-of-Envato

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Crawlomatic: Use Regex to scrape any content from crawled websites

    In this video I will show you guys how to use Regex in the Crawlomatic plugin, to extract specific content from any web page from the internet!

    Crawl and scrape ahead!

    Crawlomatic plugin: https://1.envato.market/crawlomatic

    Regexr website: https://regexr.com/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Contentomatic vs Newsomatic: What is the difference between these two plugins?

    In this video I will explain the difference between Newsomatic and Contentomatic – the two plugins that can generate articles for your websites.

    Get Newsomatic here: https://1.envato.market/newsomatic

    Get Contentomatic here: https://1.envato.market/contentomatic

    Article Builder: https://paykstrt.com/7177/38910

    NewsAPI: https://newsapi.org/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    This is the most annoying thing about WarriorPlus (fix this please)

    In this video I will give you my honest opinion about a huge issue that Warrior+ has right now.

    Please correct me if you think I am wrong! I am waiting for your opinion in the video’s comment section.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How to use WP DEBUG when developing WordPress Plugins or Themes?

    In this video I will show you a quick overview on how to use the WP Debug feature when developing custom WordPress plugins or themes.

    This will help you write quality plugins and themes, without hidden errors in them.

    Debug code for the wp-config.php file:

    define(‘WP_DEBUG’, true);
    define(‘WP_DEBUG_LOG’, true);
    define(‘WP_DEBUG_DISPLAY’, false);

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Contentomatic Article Builder Post Generator Plugin for WordPress

    In this video I will show you how to use the Contentomatic Article Builder Post Generator Plugin for WordPress. It can import an unlimited number of articles that pass CopyScape, using the ArticleBuilder service.

    Check the plugin here: https://1.envato.market/contentomatic

    Sign up for ArticleBuilder here and give the plugin a try: https://paykstrt.com/7177/38910

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Remote Featured Images in Newsomatic – how to not copy featured images locally for posts?

    This video will show you how to not copy featured images for generated posts locally on your server, and use them from theri original remote location.

    Newsomatic: https://1.envato.market/newsomatic

    Please note that this is an experimental and unofficial feature, and might not work with all WordPress themes.
    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Tutorial video for CodeRevolution’s Support Forum

    This is a tutorial video for support agents. It will show you how to use the support forum, to maximize productibility.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    CodeRevolution Support – instructional video – how to deal with support requests/questions?

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Am I pivoting from CodeCanyon to Udemy? Leaving the WordPress plugin business and moving to courses?

    Recently I got many questions from people that got in touch with me, asking if I am moving away from CodeCanyon to Udemy.

    The question was because they saw that I released and marketed a new course on Udemy: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    My plugins on CodeCanyon: https://1.envato.market/coderevolution

    I will answer in this video to this question.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How Vimeo is forcing their users to get the Vimeo PRO subscription, or otherwise close their account

    Let me show you my latest encounter with Vimeo.

    They are closing my account, because they are not allowing promotional videos to be uploaded. I upgrade my account or it is closed. This decision is irreversible, even if I delete all my videos from my channel!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 5+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194
    https://pinterest.com/caddy_lagaristu/coderevolution/

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    FIX There was an issue signing you in to YouTube. Troubleshoot here. Fix the YouTube Ooops error!

    In this video I will show you how to fix the YouTube sign in error:

    “There was an issue signing you in to YouTube. Troubleshoot here.”

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    What Revision Control System am I using for developing my WordPress plugins? SVN or Git?

    In this video I will show you which Revision Control System am I using, to help with developing my WordPress plugins.

    All plugins that I done so far: http://1.envato.market/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Intro to affiliate marketing and affiliate pro- “The Great Affiliate Program List Course” preview

    This is a preview of my course: “The Great Affiliate Program List Course” – it includes strategies to get started or even to earn more with affiliate marketing.

    Please check the course on Udemy, here: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    The presentation video for the course: https://youtu.be/u2tmhjOVNLY

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    The Great Affiliate Program List Course – get it now on Udemy!

    Do you want to learn how to start Affiliate Marketing?

    In this case, I have a proposition for you.

    Join this course, and learn how to create a passive income stream for yourself, by promoting affiliate products.

    Learning to use strategic online methods to promote products that have an affiliate program in place, is an incredibly powerful assets that anyone with a commitment to learn can create for themselves. The idea behind this is to learn affiliate marketing once, and gather revenues from it, for a life time! This course, besides teaching you about affiliate marketing, will also give you a huge list of affiliate programs that I gathered over the years, which you can join today (755+ affiliate programs included).

    You can enroll now on Udemy, here: https://www.udemy.com/course/the-great-affiliate-program-list-course/?referralCode=D0441C358F4CDBE3EA8F

    Check also the first module of the course, here: https://youtu.be/3umfngO9R3c

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    The Great Affiliate Program List – my first Udemy course – join now for FREE! [reupload]

    I am really glad to share you that I reached a new milestone: my first course on Udemy was just approved! It is an affiliate marketing course with a LARGE bonus: it contains a huge list of affiliate programs you can join today (more than 755!).

    To celebrate this event, I want to give away a batch of FREE coupons for the course, to thank for the support that comes from all the nice people who subscribed to my blog.

    Please use this link to get the course for free: https://www.udemy.com/course/the-great-affiliate-program-list-course/?couponCode=GRABYOURFREECOURSE

    Alternatively, you can also use the following Udemy coupon with the course:
    GRABYOURFREECOURSE

    The coupon is valid for 1 more day – ending October 20, 2019 11:53 AM PDT. So hurry up, so you still catch the promotion!

    After enrolling, I would be really grateful if you could give a review for the course – it really helps me with further marketing the course. Thank you in advance!

    I hope the course will provide value to you!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Fix “The link you followed has expired” error while installing plugins or themes in WordPress

    In this video I will show you hot to fix the “The link you followed has expired” error when installing plugins or themes, on your WordPress website. The solution is simple, involves a simple text edit in the php.ini file. You should contact your hosting provider’s support, if you do not have access to this config file on your server.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Fix “The package could not be installed. No valid plugins were found.” error when installing plugins

    In this video I will help you on fixing the “The package could not be installed. No valid plugins were found.” error that might pop up for you, when you are installing plugins on your WordPress blog.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    I want to share with you something cool!

    Hey guys,

    Recently, I was thinking about what should be my next plugin that I will build. I was browsing the web, in search for ideas, and I stumbled upon “Article Builder”. It creates for you a high number of articles that pass CopyScape, just with the push of a button.
    I found it very cool, especially, when I saw that it also has an API. I reached out to the guys who created it (the same guys who created also “The Best Spinner”) – and they are actively helping me to build a plugin around their API. So, prepare for a ArticleBuilderomatic plugin that I will release, soon!

    Also, they created a special promotion for me, which I want to share with you: get a 65% discount and you don’t have to pay any monthly fees anymore! You can find the link to the promotion, by clicking this link: https://articlebuilder.net/order/coderevolution-exclusive-offer/

    This promotion is live only until this Friday (4 days and a couple of hours left), so hurry up!

    They also offer a money back guarantee, so you have nothing to loose on this!

    https://articlebuilder.net/order/coderevolution-exclusive-offer/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How to request access to LinkedIn’s Marketing Developer Platform

    In this video I will show you how to request access to LinkedIn’s Marketing Developer Platform.

    This is required if you want to automatically publish to company pages you manage, using the Linkedinomatic plugin: https://1.envato.market/linkedinomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Linkedinomatic update: publish to your LinkedIn Company Pages

    Linkedinomatic just got updated! It is able to publish to your LinkedIn company pages, if you have access to the LinkedIn Marketing Developer Platform.

    Check the plugin here: https://1.envato.market/linkedinomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    FIX Google API: The referrer does not match the referrer restrictions configured on your API key

    In this video I will show you how to fix the Google API error:

    The referrer does not match the referrer restrictions configured on your API key. Please use the API Console to update your key restrictions.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    [Echo RSS Feed] How to auto-delete all imported post after 3 days ?

    This plugin support basic  auto delete features to do that

    Please go to plugin’s ‘Main Settings’ – > check the ‘Enable Post Auto Deletion Feature’ checkbox.

    Afterwards, please go to importing rule settings – > ‘Automatically Delete Post’ settings field, enter this-> +3 days -> save settings -> import new posts.

    If you need a post expirator (auto deleter) plugin  with advanced features

    This would help

    Auto Post Delete WordPress Plugin

    Xlsxomatic plugin update: import categories, subcategories, and create post taxonomies

    Xlsxomatic plugin update: import categories, subcategories, and create post taxonomies!

    Check the plugin here: http://1.envato.market/xlsxomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How to avoid PayPal exchange fees when withdrawing money to your bank account [Hidden Trick]

    In this video I will show you how I managed to find a hidden solution to get around PayPal’s hidden currency exchange fees.
    Check the video for the complete solution – you will not need to make any unneeded money conversions again!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How to redirect all posts and pages from WordPress to the home page (or any other custom URL)?

    In this video I will show you a method to redirect all posts and pages from your WordPress blog, to your home page (or any other custom URL).

    The plugin used to achieve this: http://1.envato.market/icarus

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Newsomatic tutorial: how to use the text spinner feature of the plugin?

    In this video I will show you how to use the text spinner feature of the Newsomatic plugin to get unique content for your imported posts.

    Check the Newsomatic plugin here: https://1.envato.market/newsomatic

    Supported Premium Text Spinner Services:
    SpinRewriter: https://www.spinrewriter.com/?ref=24b18
    The Best Spinner: https://paykstrt.com/10313/38910
    WordAI: https://wordai.com/?ref=h17f4
    SpinnerChief: http://www.whitehatbox.com/Agents/SSS?code=iscpuQScOZMi3vGFhPVBnAP5FyC6mPaOEshvgU4BbyoH8ftVRbM3uQ==

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How much I earn after selling a 39$ plugin on CodeCanyon? Income report for Envato marketplaces

    In this video I will show you how much money I earn after selling a 39$ plugin.

    Links that will help you understand better this video:

    Envato Buyer Fee Table: https://help.author.envato.com/hc/en-us/articles/360000473203-Fixed-Buyer-Fees-for-Author-Driven-Pricing-Categories-on-Envato-Market
    Envato Author Fee Table: https://help.author.envato.com/hc/en-us/articles/360000472943-Envato-Author-Fee-Schedule

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Video tutorial for the “I Am Rich” plugin I created

    In this video I will show you how to use the “I am Rich” plugin I created.
    Keep in mind, the plugin is exclusively for the top 1%! 🙂

    Plugin URL: https://coderevolution.ro/product/i-am-rich-a-plugin-for-the-top-1/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How to drive more engagement with YouTube comments? Grow your YouTube channel faster

    In this video I will teach you how to make people that leave comments on your videos to be more engaged with your YouTube channel, by showing them multiple notifications from you.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Automatic Video Creator Plugin – combine it with other plugins to maximize it’s results!

    In this video I will show you the endless possibilities in which you can use the Automatic Video Creator Plugin, in combination with other plugins I built. Check the links below for links to each plugin:

    Automatic Video Creator: https://1.envato.market/videocreator

    in combination with any from the below plugins:

    Youtubomatic: https://1.envato.market/youtubomatic
    Vimeomatic: https://1.envato.market/vimeomatic
    Twitchomatic: https://1.envato.market/twitchomatic
    DMomatic: https://1.envato.market/dmomatic
    FBomatic: https://1.envato.market/fbomatic
    YouLive: https://1.envato.market/youlive
    FaceLive: https://1.envato.market/facelive
    MultiLive: https://1.envato.market/multilive

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Check this easy way to earn affiliate commissions from ClickBank, using traffic from Reddit

    I will show you an easy way to earn affiliate commissions from ClickBank, using an easy method which will not require you to have a website.
    You will use traffic from Reddit, by posting your affiliate links for Reddit Giveaways, into relevant subreddits, from Reddit.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    Why are aged YouTube accounts more valuable than newly created accounts?

    Let me explain to you why old YouTube accounts are more valuable than the newly created accounts. In this video I will tell you the main differences between these two.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    How to create your own URL shortener from WordPress? Forget about bitly and other shorteners

    In this video I will show you how to create your own link shortener from inside your WordPress blog. The plugin used is called Icarus, you can check it using the link from below:

    http://1.envato.market/icarus

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶JOIN MY FACEBOOK GROUP?
    https://www.facebook.com/groups/coderevo/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    ▶ENJOY MY VIDEOS? PLEASE DONATE
    https://www.tipeeestream.com/coderevolution/donation

    To your success,
    Szabi – CodeRevolution.

    I am creating a new Facebook group to better connect with you guys

    I am announcing a new Facebook group that I created recently, where you can connect with me and also with people who already purchased and own one or more plugins from my portfolio. Check the group below, and join our growing community!

    CodeRevolution Facebook Group: https://www.facebook.com/groups/coderevo/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to get paid for promoting yourself? Follow this strategy and you will never use paid ads again

    In this video I will teach you how to promote yourself, and actually get paid for doing so. Yes, I know, this sounds incredible, but it is actually something that is very easy to achieve.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Quick Fix “Something went wrong and Outlook couldn’t save your account settings. Please try again”

    In this video I will show you how I fixed the “Something went wrong and Outlook couldn’t save your account settings. Please try again” error that I got, when I tried to change the account password in Microsoft Outlook. The fix is very easy to make, it takes 10 seconds to complete and Outlook will work again.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶[SPECIAL OFFER] GET ALL MY PLUGINS AT ONCE? – https://1.envato.market/bundle

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶SUBSCRIBE to my newsletter (no spam)?
    https://www.facebook.com/CodeRevolution.envato/app/100265896690345/?ref=page_internal

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Crawlomatic update: it can also scrape post tags now! (much needed feature added) [reupload]

    The Crawlomatic plugin was updated, now it is able to also crawl tags (separate from categories) for scraped posts and articles. This is a much anticipated update for many of my customers. 🙂

    You can check the Crawlomatic plugin here: https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Boost your online business today – I offer you the premium content I learned over the years! 🚀

    In this video I will show you the perks that you will get if you sign up to the membership site I created.
    I add premium articles that help you boost your online business, at a weekly basis. Also, you will get access to some member only premium WordPress plugins, that are not available for sale on CodeCanyon. Also, you will be able to submit the WordPress plugins you made for review, and I will check them, and tell you hints on how to fix issues in them, to make sure they are approved for sale on CodeCanyon.

    Join the site here: https://coderevolution.ro/join-the-site/
    Member only articles list: https://coderevolution.ro/all-member-posts/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    The Best Offer you can find on CodeCanyon: the Mega Bundle from CodeRevolution – crazy discounts!

    Check the Best Offer you can find on CodeCanyon: the Mega Bundle from CodeRevolution – it includes all my current plugins from my portfolio, and also, all my future plugins that I will add to my portfolio. All for a one time payment – no extra charges in the future.
    You will also benefit of lifetime updates for all the plugins and 6 months support!
    This is really a crazy discount for the all these plugins!

    Check the plugin bundle here: https://1.envato.market/bundle
    My full portfolio (each plugin from here is included in the bundle – and also future plugins that will be added here): https://1.envato.market/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    #bundle #plugins #codecanyon

    To your success,
    Szabi – CodeRevolution.

    I just published my 100th plugin on CodeCanyon! 💯🚀🚀🚀

    I am really grateful to you guys who supported me, and allowed me to get to the point where I published my 100th plugin on CodeCanyon! Really thank you all! 🙂

    The promotion I created to celebrate this milestone: https://mailchi.mp/d83031d6f144/100-plugins-released?fbclid=IwAR1A_GV3JCK3kLsXrL48Zw_YcJso-BaxyiIrTQfRtRKGpWZ9NnZZYuOsx5c

    Latest plugin released (nr 100): https://1.envato.market/tgomatic

    Subscribe to my newsletter on my blog: https://coderevolution.ro/blog/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    YouLive FaceLive MultiLive update: loop videos that are live streamed, multiple times!

    A new update was made for the live streaming plugins I made –
    they are able now to loop the videos that are live streamed, multiple times! This was a highly requested update, from the plugins’ customers!

    Check the plugins here:
    YouLive: https://1.envato.market/youlive
    FaceLive: https://1.envato.market/facelive
    MultiLive: https://1.envato.market/multilive

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Newsomatic tutorial: import content to your news blog from specific country and specific category

    This tutorial will show you how to import content using the Newsomatic plugin from a specific country and a specific category – this info is very useful when you are building a niche website, in a language that is different from English.

    Check the Newsomatic plugin here: https://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to create premium thumbnails for your YouTube videos for free

    In this video I show you how to create gorgeous thumbnails for your YouTube videos, all for free, for unlimited time.

    Service I use – Canva: https://www.canva.com/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    An example configuration of an autoblog I built recently

    In this video I will show you a sample configuration of the backend of an autoblog I created recently. It configuration is simple and still in it’s first stages, however, traffic will soon start to flow to it! 🙂

    Plugins used for creating the website:
    Youtubomatic: https://1.envato.market/youtubomatic
    Vimeomatic: https://1.envato.market/vimeomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to check your server if it has ffmpeg or phantomjs installed

    This video will show you how to check if your server has phantomjs or ffmpeg installed and if it is usable by my plugins.

    The plugin that is used for this: WPTerm: https://wordpress.org/plugins/wpterm/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Newsomatic update: added the ability to import content based on TITLE search

    New update comes today for Newsomatic:
    Based on a popular request, I added a feature to it to search content based on title search only (the old title and content search feature also remains in the plugin).
    This will give you more power for searching and importing specific articles for your niche blog or web site!

    Check the plugin here: https://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to make a refund request on Envato Marketplace (ThemeForest, CodeCanyon, VideoHive, AudioJunge)

    In this video I will show you guys how to submit a refund request for items purchased on CodeCanyon Marketplace (ThemeForest, CodeCanyon, VideoHive, AudioJungle, GraphicsRiver, PhotoDune, 3DOcean).

    Links for each Envato Maketplace:
    https://themeforest.net/refund_requests/new
    https://codecanyon.net/refund_requests/new
    https://videohive.net/refund_requests/new
    https://audiojungle.net/refund_requests/new
    https://graphicsriver.net/refund_requests/new
    https://photodune.net/refund_requests/new
    https://3docean.net/refund_requests/new

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    FBomatic plugin update: define cookie values globally for all importing rules

    A new update was released for FBomatic, starting from now, it can use global cookie values for each importing rule (until now, cookies settings could be defined only separately, for each rule, and using these settings was very tiresome for people who created many importing rules in the plugin).
    This was a highly requested updated for the plugin, I hope you will enjoy it!

    FBomatic plugin: https://1.envato.market/fbomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): http://bit.ly/samsongoprousb

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    TGomatic – Telegram Bot Plugin for WordPress

    A new plugin is added to my portfolio on CodeCanyon: Tgomatic – it is a Telegram Bot that will be able to publish content to your Telegram channels and conversations.

    Please check the plugin here: https://1.envato.market/tgomatic

    My full plugin portfolio: http://1.envato.market/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    My routine steps of uploading new videos to my YouTube channel

    In this video I will show you my routine steps that I do each time I upload a new video to my YouTube channel. I hope this process will provide you insights on how to improve your uploading process and to optimize it for best results!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    A sneak peak on what I am working right now (the next plugin to be released on CodeCanyon)

    In this video, I will show you a sneak peak of my next plugin I am about to release on CodeCanyon.

    Stay tuned for news, by subscribing to this YouTube channel, I will release updates about it here, soon.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Thank You All for Reaching 700 Subscribers on This Channel! #thankyou

    Thank you all for being part of the CodeRevolution family and supporting me and my channel to reach the 700 subscribers milestone! I am really grateful for this for all my viewers and my subscribers!
    Thank you all!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    ▶SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶OTHER INTERESTING VIDEOS FROM MY CHANNEL?
    – How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA
    – Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0
    – Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c
    – How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶WP PLUGIN PORTFOLIO? – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Do you like the content I am releasing? Become a member of my website today, to enjoy premium tutorials and content (and other extra perks), at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Remote featured image update for my plugins: use any featured image from url with any theme

    This video will show you how my plugins got updated, and they are allowing now to use remote featured images with any theme out there (until now, only a subset of themes were supported, but with the latest updates, this limitation is gone).

    Check plugins that support this feature in my portfolio: https://1.envato.market/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to not copy the same ‘Default Featured Image’ for posts multiple times to the media library

    In this video I will show you how to not copy the same ‘Default Featured Image’ multiple times to the WordPress Media Library, when creating posts using my plugins.
    The trick I show you in this video, can be used with any plugin from my portfolio, that generates posts automatically.

    You can check my plugin portfolio here: https://1.envato.market/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Automatic Video Creator: How to automatically upload created videos to YouTube?

    This video will teach you how to automatically upload videos created by the Automatic Video Creator plugin to your YouTube channel. Please note that the same method applies also for other plugins created by me, to upload to other videos sharing sites, like Twitch, Vimeo, DailyMotion, Facebook, and also to live stream to YouTube or Facebook.

    Plugins that can be used to automatically create videos from images and automatically upload them to different video sharing sites:

    Automatic Video Creator (to automatically create your videos): http://1.envato.market/videocreator

    Youtubomatic (upload to YouTube): http://1.envato.market/youtubomatic

    Fbomatic (upload to Facebook): http://1.envato.market/fbomatic

    FaceLive (live stream to Facebook): http://1.envato.market/facelive

    YouLive (live stream to YouTube): http://1.envato.market/youlive

    Twitchomatic (upload to Twitch): http://1.envato.market/twitchomatic

    DMomatic (upload to DailyMotion): http://1.envato.market/dmomatic

    Vimeomatic (upload to Vimeo): http://1.envato.market/vimeomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to remove duplicate images from WordPress posts

    In this video I will show you how to remove the duplicate images that are showing inside your WordPress posts’ content.
    I will analyze the cause of this, and show you solutions on how to solve this issue.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to replace wp_cron with server cron?

    What Is Cron Job?

    A Cron job is a task scheduled to run automatically at specific intervals. For example, a Cron job could automatically back up a file every six hours.
    Our WordPress plugins are using the standard WordPress Cron Jobs for publishing new content to WordPress and background shares to social networks. The default WordPress Cron Jobs might cause delays in your sharing or importing schedules, because by default, WordPress does not use a real Cron job. Instead, whenever a page is loaded on a WordPress site by any user, WordPress runs Cron Job Tasks. If nobody visits your WordPress site then your tasks will not runed. And the result your scheduled tasks will run with delays.

    To resolve these issues, you should disable the default virtual WordPress Cron Job, and configure a real Cron job. To do this, follow the procedures below:

    1. Add the following line to the wp-config.php file:
      define('DISABLE_WP_CRON', true);
    2. Log in to Cpanel.
    3. Go to “Cron Jobs”
    4. Configure a real Cron Job for WordPress.
      You will need to add the following command to be executed Cron Job every minute on your Cpanel Cron Jobs:
      wget -O /dev/null http://YOUR_SITE/wp-cron.php?doing_wp_cron > /dev/null 2>&1

    How to list my business on Google My Business – get more sales and outreach

    This video will teach you how to list your business on Google My Business. After successful listing, you will be able to appear on Google Maps, and also to tag your YouTube videos with geo-tagging, directly to your business.
    In this video, you will learn how to get things going on Google My Business, and also about the perks you will get after you listed your business.

    List your business on Google My Business here: https://business.google.com/u/2/create

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to find and import WooCommerce RSS feeds to your blog

    This video will teach you how to find and import WooCommerce RSS feeds containing products, to your blog.

    The plugin used for importing is Echo RSS Feed Importer, found here: https://1.envato.market/echo

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Mp3omatic Royalty Free Music Post Generator Plugin for WordPress

    I am glad to announce a new plugin that will be added shortly to my portfolio from CodeCanyon. It is able to import royalty free music to your blog, and to generate posts from them. It uses the Free Music Archive project and it’s API to get free music.

    Check the plugin here: https://1.envato.market/mp3omatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): http://bit.ly/samsongoprousb

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    The shared Facebook app id/secret is not working any more in Fbomatic

    Facebook deactivated the app id/secret I was sharing.
    To further import content from Facebook, please use the cookie based authentication method. Please check this video tutorial on how to use it:
    If possible, please create a new Facebook account and use the cookies from that account, this just as a preventive measure, so your main Facebook account is not banned because of unauthorized use of the cookie method.

    Importing in plugin is not running at the specified schedule

    The plugin uses wp_cron subsystem from WordPress for scheduling it’s automatic importing process, which is not a real cron system, but a ‘pseudo-cron’ (false cron). This means that it needs visitors to the website, so it can get fired up and running.
    If your website does not have visitors, the wp_cron will not run until the first visitor comes.
    To fix this issue, please create a free remote cron job calling the root URL of your website, here: cron-job.org – Free cronjobs – from minutely to once a year – you can set it once per hour.
    Like this, you will simulate a website visit each hour, and the wp_cron system will run each time.

    How to increase sales on CodeCanyon (or any of Envato Marketplaces)

    In this video I will give you some tips on how to sell more and boost your sales on CodeCanyon (and on Envato Marketplaces in general).
    What I am about to teach you, is stuff that I learnt over the course of 4 years, since I am a plugin author on CodeCanyon. Using these tips, I managed to sell 4.2k+ copies of my plugins since I launched my brand.

    Portfolio (my work so far): http://1.envato.market/coderevolution

    Demo My WordPress plugin (to create your own demo pages): https://1.envato.market/demo

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Flash player end of life announced: December 2020

    Today I will talk about the Flash Player that is still used on some web pages to show multimedia content.

    It’s lifetime will end in December 2020, so it should be replaced as soon as possible with an alternative.

    Alternatives for the old Flash Player are:
    https://alternativeto.net/software/flash-player/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Important AdSense news: Policy update September 2019

    AdSense is making a policy update starting now (September 2019). They are changing the types of sites they are allowing to use AdSense advertising on their content. Check video for more info!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Get more subscribers using the YouTube Location Feature (list even your business!)

    In this video I will teach you how to get more views on your videos and to rank them higher for SEO, using a feature that YouTube introduced recently: the Geolocation feature!
    You can mark any city, or even your business (if it is added to Google My Business).

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    5 Free Tools for SEO to Speed Up Your Website You Can Use Right Now

    In this video I will show you 5 different websites you can use to check the performance of you website, and to make them rank higher in Google.

    GTMetrix: https://gtmetrix.com/
    Page Speed Insights: https://developers.google.com/speed/pagespeed/insights/
    WebPageTest: https://www.webpagetest.org/
    Pingdom: https://tools.pingdom.com/
    KeyCDN: https://tools.keycdn.com/performance

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Crawlomatic update: scrape and extract links from pages by Regex

    In this video I will show you have to use Regex expressions to crawl websites and import content from them.
    You can scrape any link from any website, using the newly added Regex feature to the Crawlomatic plugin.

    Check it here: https://1.envato.market/crawlomatic

    Regexr: https://regexr.com/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    #scrape #crawl #regex

    To your success,
    Szabi – CodeRevolution.

    Envato profile affiliate badge is not updating any more! Why?

    The whole Envato affiliate system changed recently, when it moved to Impact Radius. Because of this, the affiliate badge that was added to profiles when sales where made in the affiliate system, is not working any more. For details on this, check the video!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – http://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Hand of Midas plugin update: ref= affiliate link structure removed, Envato will deactivate it soon

    This is a new video that will give you news about the latest update for the Hand of Midas Envato affiliate plugin.
    I removed from it the ability to use ref=username affiliate linking, because this will be fully deactivated in October 2019 (and only the Impact link structure will remain).
    Because of this, the plugin needed to be updated, to match latest changes from Envato’s side.

    Check Hand of Midas Envato Affiliate plugin here: http://1.envato.market/midas

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Automatic Video Creator (from post images and audio) – Plugin for WordPress

    A new plugin is awaiting approval on CodeCanyon! This time, it is a big one!
    It will be able to automatically create videos for your posts, based on images and music you embed in content of posts that you publish!
    Even more, these generated videos can be also used with other plugins I created (like Youtubomatic, YouLive, FaceLive, etc), to be automatically uploaded to YouTube, or even live streamed.

    Check it out now! https://1.envato.market/videocreator

    How to install ffmpeg: https://www.youtube.com/watch?v=k5ECxCKnzHE

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – http://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to schedule video on YouTube?

    This video will teach you how to schedule your uploaded video to be published later, automatically, to your YouTube channel.

    This is also a scheduled video.

    #schedule #youtube #youtubevideo

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Getting promoted by Envato – my feedback after being included in the Envato Birthday Sale

    In this video I will talk about the feedback I have after Envato promoted one of my plugins from CodeCanyon (Newsomatic).

    The promotion was quite a large one, it was created because Envato turned 13, and they made a large “Birthday Sale”, promoting many high quality items from all of their marketplaces.

    Newsomatic: https://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to update old ref= affiliate links from Envato, to the new Impact Radius link format (deadline!)

    This video will teach you how to update all your Envato (Themeforest, CodeCanyon, VideoHive, AudioJungle, GraphicsRiver, PhotoDune, 3DOcean) affiliate links (the old ref=username format), to the new Impact Radius format. The deadline for this is set to 3rd October 2019, so if you have many links to update, you should get started right now.

    Plugin bundle to promote: https://codecanyon.net/item/mega-wordpress-bundle-by-kisded/19200046 – you will get 30% of 299% = 90$ for each sale you generate! But this is just one of the endless possibilities of content to promote!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    #envatoaffiliate #affiliate #envato

    To your success,
    Szabi – CodeRevolution.

    I bought a new microphone today (compare the sound quality of built-in vs external microphone)

    I just made an investment into the quality of the tutorial videos I am about to release on this channel and bought a new external microphone for this purpose.

    It is a cheap microphone, but it offers a great sound quality for it’s low price. Especially over the built-in microphone I was using until now.
    The microphone is a Samson Go Mic. You can get it from Amazon: https://amzn.to/2KBk61G

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Newsomatic: Use search queries to import niche or category specific content

    In this video I will show you how to import niche website specific content using the Newsomatic plugin. It will allow you to import content from categories, found on different source websites.

    Check the plugin here: https://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Branding guide for freelancers and online business owners (with CodeCanyon examples)

    In this video I will talk about how to brand your freelancing or online business, to create brand awareness. This will help you sell more, by allowing your customers to recognize you and your product from a glimpse.

    Example branding page (different plugins): https://1.envato.market/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How do I create advanced demo sites for my WordPress plugins?

    This video will show the full process of creation of demo sites for plugins I created. The video shows creation of VMs using Google Cloud and setting up of WordPress + configuring the demo site using the Demo My WordPress plugin.

    Demo My WordPress plugin:
    https://1.envato.market/demo

    Other plugins installed in this video:
    https://1.envato.market/facelive

    https://1.envato.market/youlive

    https://1.envato.market/multilive

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Update for the Twitomatic plugin – it can import tweets from Twitter User Lists

    A new update is released for the Twitomatic plugin, it can now import tweets from Twitter User Lists.

    Check the plugin here: https://1.envato.market/twitomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Movieomatic update: import Upcoming, Now Playing, Popular, Top and Latest Movies

    New update for the Movieomatic plugin – it can import now upcoming, latest, popular, now playing and top moviews. Also it can import advanced info for movies like: trailer, crew, cast or ratings.

    Check the plugin here: https://1.envato.market/movieomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to search and import negative hotel reviews on a specific subject (example: bug, roach)

    This video will show you a tutorial on how to import negative hotel reviews on a specific subject, like bugs, roaches or cockroaches for example.

    The plugin that is used in the video is called Trendomatic, and can be found here: https://1.envato.market/trendomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to grow traffic for an autoblog – explanation with a real world example

    This video will give insights about how to grow your traffic that you get for your autoblogs. I will also show you a real world example of one of my autoblogs, that gets consistent traffic using the method I describe in the video.

    You can find the plugins used in this video, in my portfolio on CodeCanyon, here:
    https://1.envato.market/coderevolution

    https://1.envato.market/newsomatic

    https://1.envato.market/youtubomatic

    https://1.envato.market/fbomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Newsomatic tutorial video: https://www.youtube.com/watch?v=pEcjdkD8xY0

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    3 Emerging Social Media Platforms to Watch in 2019 (and beyond)

    In this video I will give you info about 3 social media platforms I think will explode in the near future, because I see huge potential in them (especially nr 3 from the list).

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    YouTube Vanced – No Ads and Listen to YouTube with the Screen Off!

    YouTube Vanced offers us the possibility to play videos in the background and with our screen switched off. Also, it will block all ads from showing up (best YouTube adblocker). To use the background playback option, simply follow these steps:

    Step 1: play the video of your choice from the catalog offered by YouTube.
    Step 2: if you leave the application, you’ll see the video playing in a thumbnail in the corner of your screen. You can then open other apps and carry out other operations on your phone.
    Step 3: but you can also lock you screen and the video will continue playing with it switched off, even being able to control the playback from the lock screen.

    This is probably one of the functions of YouTube Vanced that have turned it into a decent alternative to online music streaming services of the likes of Spotify, TIDAL or Deezer. The only drawback is that it doesn’t let us download contents, therefore, we always have to be connected to a WiFi hotspot or a data network (preferably a wireless network if we don’t want to waste our data plan). By disabling the adverts during the playback, we can listen to a playlist without any kind of interruption, just as if we were using the paid version.

    Download YouTube Vanced (no viruses): https://www.xda-developers.com/youtube-vanced-apk/

    Official site: https://vanced.app/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    [Fbomatic, Twitomatic, Instamatic, Youtubomatic] Update – make screenshots of social posts

    A new update is released for Fbomatic, Twitomatic, Instamatic and Youtubomatic – they will be able to generate screenshots for imported social posts, and embed them in the generated post’s content, from WordPress.

    The update is currently available for: Facebook, Twitter, Instagram, YouTube.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to update WordPress to the latest development version [WordPress 5.3 released soon!]

    This video will guide you in installing the latest development version of WordPress (in our case WordPress 5.3), to test it, before it is officially released, so we make sure that the upgrade will not break our site.

    Also, in the video I will show you how to fix the ‘Another update is currently in progress.’ error, because I encountered it, without me asking for it. 🙂

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    Newsomatic – How to display images imported from BBC News or The Telegraph

    This video will teach you how to import images correctly using the Newsomatic plugin, from sources that have special lazy loading for their images, like BBC News or The Telegraph. The update will need the usage of Regex to change the HTML code of images, to be understandable also by your blog.

    Newsomatic plugin: https://1.envato.market/newsomatic

    If you don’t know Regex, you can use the template defined below for these 2 sources:

    – Knowledge Base Artilce that shows how to configure rules for these 2 sources: https://coderevolution.ro/knowledge-base/faq/newsomatic-how-to-get-images-displayed-correctly-when-importing-from-the-telegraph-or-bbc-news/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    [Newsomatic] How to get images displayed correctly when importing from The Telegraph or BBC News

    Example rule config for The Telegraph:
    ‘Try to Get Full Article Content’ -> checked
    ‘Full Content Query Type’ -> Class
    ‘HTML Search Query String’ -> live-post__wrapper-body-article
    ‘Lazy Loading Images HTML Tag’ -> data-src
    ‘Run Regex On Content’ -> <noscript> <img class=”(.*?)”> <\/noscript>
    ‘Replace Matches From Regex’ -> <img class=”$1″>
    Also, please append (add to what you already have there) to the ‘Generated Post Content’ ->
    <style>.article-body-image-image{padding-top:0px !important;}</style>
    For BBC News, it is similar job:
    ‘Try to Get Full Article Content’ -> checked
    ‘Full Content Query Type’ -> Class
    ‘HTML Search Query String’ ->  story-body__inner
    ‘Run Regex On Content’ ->  <div class=”js-delayed-image-load” data-alt=”(?:[^”]*?)” data-src=”([^”]*?)” data-width=”(?:\d+)” data-height=”(?:\d+)”><\/div>
    ‘Replace Matches From Regex’ ->  <img src=”$1″>

    Envato Birthday Sale 2019 – Newsomatic included (50% off!)

    If you were looking for a promotion for the Newsomatic plugin, now is the time to get it! It is included in Envato’s 2019 Birthday sale, and it has it’s price reduced from 39$ to 19$ (50% off)!

    Check it here: https://1.envato.market/newsomatic

    Full Promo URL: https://envato.com/birthdaysale

    All plugins from the promotion: https://envato.com/birthdaysale/code

    30% off for newly released Etsyomatic: https://1.envato.market/etsyomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to use the Multilive plugin to stream to Facebook live from prerecorded YouTube videos

    This tutorial will show you how to use the Multilive Plugin to stream to Facebook live using prerecorded YouTube videos.

    Check the plugin here: https://1.envato.market/multilive

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    To your success,
    Szabi – CodeRevolution.

    How to cut videos online for free

    This video will teach you how to cut any video, online, for free.

    The service is called Video Cutter, and it is fully free.
    Check it here: https://online-video-cutter.com/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    #cutvide #videoedit #cutvideoonline

    To your success,
    Szabi – CodeRevolution

    Bufferomatic Automatic Buffer Post Generator Plugin for WordPress

    This is a tutorial video for the Bufferomatic plugin. It is able to automatically enqueue posts from WordPress to Buffer.
    It is also able to post manually existing posts to be sent to Buffer.
    The plugin has flexible settings, and is using the official Buffer API in it’s functionality.

    Check the plugin here: https://1.envato.market/bufferomatic
    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    Love,
    Szabi Kisded

    Do you like the direction where the whole WordPress Plugin Industry is heading right now?

    Did you see an increasing trend in popularity for sales pages for WordPress plugins that funnel customers and make false promises (thousands of dollars of revenue for using the plugin, in one month)? Also, these pages do not provide any actual info on what requirements does the plugin have and what features you will get from it.
    They only sell you false results, and when you will get the product in your hand, you will realize that it is actually just junk you paid for.
    Also, what perplexes me is the number of people who make “honest reviews” for these kind of plugins, promising huge bonuses if you purchase from their link, but are actually just affiliates for the junk plugin, and are willing just to make you buy that product, so they can get an affiliate cut for the sale.

    Unfortunately, this is not only the case of the NewsBuilder plugin, which I feature in this video, but instead, almost every plugin sold on JVZoo and Warrior+ marketplaces.

    What do you think of this? Is the WordPress plugin industry heading towards this kind of promotional pages only?

    NewsBuilder scam / copied plugin: https://www.youtube.com/watch?v=OdBuoId1d8s

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    #scam #funnelscam #wordpressplugin

    Love,
    Szabi Kisded

    Design update for CodeRevolution’s WordPress plugins – new and refreshed looks in the admin area

    All of my plugins got a new and refreshed look inside the back-end (WordPress admin area). They will now be easier to use and understand, especially by new users.

    Portfolio on CodeCanyon: https://1.envato.market/coderevolution

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    #design #update #newlook

    To your success,
    Szabi Kisded – CodeRevolution.

    How to create content for your Niche Website using Newsomatic and Amazomatic

    This video tutorial will teach you on how to get content (with affiliate links) for your niche websites, automatically. All you need is to configure 2 or 3 plugins I created, and they will work for you on autopilot, to get automated content for your website. Posts will contain also affiliate links from Amazon, AliExpress, GearBest, eBay, Walmart (depending on which plugin you will use to get affiliate content).

    Plugins used in creating the tutorial:

    Newsomatic: https://1.envato.market/newsomatic

    Amazomatic: https://1.envato.market/amazomatic

    Other affiliate plugins that you can use:

    Ebayomatic: https://1.envato.market/ebayomatic

    Gearomatic: https://1.envato.market/gearomatic

    Walmatomatic: https://1.envato.market/walmartomatic

    Commission Junction: https://1.envato.market/cjomatic

    ClickBank: https://1.envato.market/cbomatic

    iTunes: https://1.envato.market/tuneomatic

    Envato: https://1.envato.market/midas

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    #nichewebsite #niche #nichecontent

    To your success,
    Szabi Kisded – CodeRevolution

    How to sign pdf documents online? No need to print, sign and scan them! PdfFiller review

    Let me show you how to sign pdf documents online, without the need to print them, sign them by hand and scan them back to your computer.
    PdfFiller will allow you to edit the file directly on your computer and add your signature to it.

    PdfFiller: https://www.pdffiller.com/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    Love,
    Szabi Kisded

    How to get full resolution channel art for your or any YouTube channel

    This video will teach you how to get full resolution channel art
    from your or even from any other YouTube channel.
    It describes two easy methods to do the above.

    Download your own channel art from Google Photos: https://photos.google.com/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    Love,
    Szabi Kisded

    How to monetize articles you write, without owning a website?

    If you struggle setting up your own website, or you don’t manage to get AdSense approved for it, this video will give the right solution for you, to allow your articles to be monetized easily.
    You can sign up for HubPages, a website which will publish your premium articles, and share the revenue these will generate, with you.
    The nice thing is that it is really easy to sign up, and if you have skills in writing well formatted articles, you will get going in no time!

    Sign up for HubPages here: https://hubpages.com/user/new/

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    Love,
    Szabi Kisded

    A new tool to help grow your YouTube channel: Morningfame!

    In this video I will show you a cool website I found that will help you grow your YouTube channel (I also use it).

    It is a payed service, however, I can offer you a link which will grant you 1 month free of it (it is an affiliate link, I will also get 1 month free if you sign up): https://morningfa.me/invite/6wsgfelh

    Thank you!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    Love,
    Szabi Kisded

    Etsyomatic Etsy Affiliate Post Generator Plugin for WordPress

    This extremely feature rich plugin will generate money for you even in your sleep! Take advantage of the Etsy affiliate program and start to earn a passive income!

    Please check the plugin here: https://1.envato.market/etsyomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    Love,
    Szabi Kisded

    How to become an Etsy affiliate?

    What is the Etsy affiliate program?

    Awin is the affiliate network where you will find the Etsy affiliate program.

    Before you can apply to Etsy you must first apply to Awin.

    Here’s the thing about Awin and please don’t shoot the messenger: As part of the application process, Awin will place a $5 charge to your credit card. Before you send me a nasty email, hold up: This is how they verify that you are who you say you are and they immediately credit that $5 to your account. They do not keep it. They are not charging you to join the network.

    After Awin has verified and (hopefully) approved your account – I believe it took about a day for me to hear back – you will be able to log into the system to begin searching for programs to join, including Etsy!

    WHO CAN JOIN THE ETSY AFFILIATE PROGRAM?

    While each affiliate program makes their own rules and approves sites based on their own criteria, Etsy does note that anyone who falls into any of the following categories is NOT eligible for the Etsy affiliate program: “cashback and voucher code sites”. Those with their own Etsy storefronts CAN be affiliates, “but are not eligible to earn commission on sales from their own shops or from closely related shops.”

    APPLYING TO THE ETSY AFFILIATE PROGRAM

    Once you’re approved for Awin and you log back into the site you’re going to find a semi-confusing screen that looks like this:

    awin dashboard

    It’s not terribly intuitive, is it?

    To find and apply for the Etsy affiliate program you’re going to want to follow these steps:

    1. In the upper right-hand corner of that welcome screen click on “User Dashboard” and then click on your account.
    2. From there you will be directed to your personal dashboard. As you begin earning commissions with Awin you will see more activity on this page. For now we’re going to click on “Advertisers” in the top menu bar and then “Join Programs.”
    3. A list of programs will appear for which you have not applied. If you are new to Awin that would be all the programs. My recommendation is to use the handy toolbar on the left to search for Etsy.
    4. One thing worth noting here: There are separate Etsy affiliate programs for the US, Canada, France, Germany, Sweden, Australia and the UK. Be sure to apply to the one for your home region.
    5. You will be redirected to a page where you can view all of the terms for the program, including commission rate, payment schedule and all of that good stuff. The most important thing you can do here though is find the little green circle with the plus symbol in it that’s on the left side of the page and click “Join Program.”
    6. A box will appear with the general terms and conditions for the program. Read through this (or don’t 😜) and then scroll to the bottom. Indicate the promotion type you will be using. This will most likely be content on your blog, which is the default. Below that you can send a message to the affiliate manager who will review your site. You might consider making a case for yourself if your traffic numbers aren’t particularly high, or sharing a couple of post ideas for which you’d like to include Etsy affiliate links. I’m not saying this will help your chances of being accepted, but it certainly can’t hurt!
    7. Finally, click on the box accepting the terms and conditions and then click on the green “Join” button.

    Now just sit back and try not to check your email too frequently as you wait for a response.

    Once you get accepted it is perfectly acceptable to do your own happy dance!

    Get your affiliate ID

    The Convert-a-Link tool is hands down the easiest way to add Etsy affiliate links to your blog. We will get your affiliate ID from this code.

    Affiliate Window Convert a Link Tool

    To access this feature you just need to go to Links & Tools > Convert-a-Link and follow the instructions to install the code on your site.

    You will see a script similar to this:

    <script src=”https://www.dwin2.com/pub.629637.min.js“></script>

    Copy only the numeric part of the script, and paste it in the ‘Awin Affiliate ID’ settings field, in plugin’s ‘Main Settings’.

    In this case, it would be: 629637

    Udemy course honest review: “How To Make Passive Income Online Within 14 Days From Today”

    I give to you a review of an Udemy course I found recently called: “How To Make Passive Income Online Within 14 Days From Today”. The verdict of the review is that this course is not recommended if you wish to build up a passive income, because it is designed to make the author of the course rich, not you, who wants to buy the course.

    Check this video for detailed explanation why this course has many red flags, and how it contains some subtle deceptions that not everyone might notice.

    The course will sell you the ‘Secret Affiliate Machine’ system, which was banned by ClickFunnels on May 27th, 2019, because it was against their ‘Terms of use’.

    Course final verdict and star rating: 1 star out of 5.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    Love,
    Szabi Kisded

    Tutorial – How to use Notepad++ to replace content with new lines

    This video will give you info about how to use Notepad++ to replace content with new lines.
    This will be very helpful if you code in Notepad++ and are willing to make bulk changes to your code, and to add new lines to expressions.

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    Love,
    Szabi Kisded

    Tutorial How to advertise on YouTube to boost your products and affiliate earnings 2019 #youtubeads

    I Will Teach You How To Advertise Your Videos (and your business) on YouTube in 2019 with this tutorial for complete beginners starting with why advertising on YouTube is a Huge Opportunity right now (better than Facebook ads). Like this, you can get a lot of views, subscribers, traffic, reach, and brand awareness. The cost for this is extremely low, when compared with competitors, and when we consider the benefits you will get from these ads! Enjoy seeing from start to finish how to create your first campaign and how to profit from the opportunity of Google Ads, starting now!

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    Newsomatic – Automatic News Post Generator – WordPress plugin https://www.youtube.com/watch?v=pEcjdkD8xY0

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    Love,
    Szabi Kisded

    Youtubomatic new update: import videos directly from YouTube user accounts

    Youtubomatic new update: import videos directly from YouTube user accounts – until now, the plugin was able to import videos from channels only (not from users). But this feature became available in the latest plugin update.

    Plugin link: https://1.envato.market/youtubomatic

    ▶Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Bulk edit and enrich existing posts on your blog using this trick (also add affiliate links)

    This video will teach you how to add rich content to posts that are already posted on your blog.
    You can add affiliate links, YouTube videos, relevant articles for posts, or basically, anything that the plugins from my portfolio allow you to create (and trust me, they are able to post quite a lot of content, from many sources).

    Plugin to achieve this (which can be combined with other plugins):
    https://1.envato.market/kraken

    ▶Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to set up WordPress on a new Google Cloud hosting (1 year for free)

    This video will show you how to create a new VM instance on Google Cloud Hosting, and get it for free for 1 year. Also, it will show you how to install WordPress on it. Another nice thing you will learn from this video is how to assign a static IP address for your new WordPress hosting (which is a powerful feature if you don’t add a domain name to your new website).

    Google Cloud link: https://cloud.google.com/

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Linkedinomatic v2 API update – post automatically to your LinkedIn profile

    Linkedinomatic plugin is updated using the LinkedIn v2 API, it is able to post now automatically to your LinkedIn profile, each time you publish a new blog post on your WordPress site. Also, it is able to publish existing posts, manually, with the push of a button.

    Plugin link: https://1.envato.market/linkedinomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Youtubomatic Tutorial Part 2 – How to automatically post videos to your YouTube channel

    The Youtubomatic plugin will allow you to create posts on your WordPress blog containing videos from YouTube, but also to automatically post videos embedded in your WordPress posts to your YouTube channel.

    This is the second part of the tutorial series, and will demonstrate video posting to your YouTube channel. If you wish to learn how to use the plugin to post videos to your WordPress blog, please check part 1 of this tutorial.

    Youtubomatic URL: https://1.envato.market/youtubomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Youtubomatic Tutorial Part 1 – How to import YouTube videos to WordPress

    The Youtubomatic plugin will allow you to create posts on your WordPress blog containing videos from YouTube, but also to automatically post videos embedded in your WordPress posts to your YouTube channel.

    This is the first part of the tutorial series, and will demonstrate video importing from YouTube. If you wish to learn how to use the plugin to post videos to YouTube, please check part 2 of this tutorial.

    Plugin link: https://1.envato.market/youtubomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    What am I allowed to do if I purchased an ‘Extended License’ for your plugins/bundles?

    The ‘Extended License‘ which is purchasable for our plugins will grant you the ability to integrate our plugins in services you create (and sell to your customers).

    However, please note that there are still some limitations, that neither the ‘Extended License‘ will cover (these based on Envato License terms):

    • You are free to sell the service created using the plugin (but without giving the plugin away in any form). and make any number of copies of the single End Product – if your service requires this – but that’s it.
    • An ‘Extended License’ essentially allows an end-user, via their end product (incorporating the Item you’ve licensed) to sell their end product. The user can combine the Item with other works and make a derivative work from it. The resulting works are subject to the terms of this license.
    • It does not, at all, allow for the distribution of our Items in any form. You can’t re-distribute the Item as stock, in a tool or template, or with source files (you are not allowed to offer the plugin for direct download by your customers, nor offer the plugin for installation by your support staff, to clients).
    • You can’t do this with an Item either on its own or bundled with other Items, and even if you modify the Item, you certainly cannot just rename it and resell it. Modifications are allowed only to make the plugin fit the service you are creating.
    • You can’t re-distribute or make available the Item as-is or with superficial modifications.
    • Whilst you can modify the Item and therefore delete components before creating your single End Product, you can’t extract and use a single component of an Item on a stand-alone basis (and/or sell this component).
    • You also can’t permit an end user of the End Product to extract the Item and use it separately from the End Product.

    Please read more about Envato’s License Terms, here.
    Also, please check our license terms, on our CodeCanyon profile page, here.

    We reserve our right to revoke any user’s license that is not fully adhering to our license terms. Beyond this we reserve our right to take action in terms of having the infringing website/service taken down using a DMCA take down notice.

    For additional information regarding Item licensing, please contact me at our email address support@coderevolution.ro.

    Are plugins created by CodeRevolution under the GPL license?

    Plugins sold by CodeRevolution are not 100% GPL, but are under the ‘Split License‘.

    The Split License means that when you have multiple code types and assets within a composite item, some elements will be licensed for others to use on a ‘proprietary’ basis (that is, placing restrictions around the use of those assets) whereas anything that needs to be licensed as GPL will have the relevant GPL version apply.

    As an example: parts of plugins like CSS, design, photos, graphics are usually subject to the restrictions of the ‘Envato part’ of the split license (for example, only one End Use is permitted) but the PHP and integrated HTML fall under the GPL, which means buyers are free to use and distribute the PHP and integrated HTML, as long as they do so under the GPL.

    If I am not satisfied with the results, what should I do?

    We firmly believe in and stand behind our product 100%. However, we understand that it cannot work perfectly for everyone all of the time. We can refund you within 30 days of your original purchase.

    A couple of small points:

    • We will process your refund as soon as we’re able to. In most cases, however, we will ask you for the opportunity to resolve the issue for you.
    • Refunds may only be issued within 30 days of the purchase date. After 30 days no refunds can be processed.

    To submit a refund request, please contact us here.

    Please note that by purchasing our plugins, you agree to the terms of the Refund Policy.

    Do you offer a trial version for your plugins?

    We do not offer trial versions, however, we provide a demo blog for each of our plugins, where you can fully test their functionality, before purchase.

    You can find the link to the plugin demo generator site, on the description page of each of our plugins, from CodeCanyon.

    What are the rates of renewal?

    The support options available to you depend on when you make the support purchase from CodeCanyon.

    • support upgrade is 6 months of additional support that can be purchased at the time of buying the item.
    • support extension is 6 months of support that can be purchased at any time after the initial purchase of the item, provided the current support period hasn’t expired.
    • support renewal is 6 months of support that can be purchased after any existing support for an item has expired.

    Please read more on this, here: https://help.market.envato.com/hc/en-us/articles/207886473-Extending-and-Renewing-Item-Support

    What happens when the license expires?

    Before the support period is over, you will receive an email from Envato, offering you to renew your license for purchased plugins. This ensures that you will continue to get access to support for our plugins.

    Our plugins will continue to operate even without updating (or active support).

    Does plugins from CodeRevolution work on a subscription basis?

    No, licenses are not a subscription, but a single purchase. Updates will also continue to be provided based on this license.

    However, if you want to continue receiving support, you must renew your license. Support is purchased for 6 months and can be renewed after it’s expiration.

    How long does a license last?

    Licenses are valid indefinitely – based on this license, you will benefit of lifetime updates for the plugins you purchased. However, support offer for purchased plugins is valid for 6 months, and can be extended after it’s expiration.

    You will receive support as long as your support license is valid.

    After expiration of the support period, all our plugins will continue to run without any problems.

    However, you will not be able to use the support for the plugin.

    What makes Newsomatic better than other similar plugins?

    Newsomatic integrates all the latest features in terms of usability, features which you will not find in other similar plugins.

    While being extremely complete, Newsomatic is also very simple to configure even for beginners.

    Unlike other plugins, you don’t need to be a rocket scientist to configure ours.

    What is CodeRevolution?

    CodeRevolution is a Romania based WordPress Plugin Developer company, that sells it’s creations on CodeCanyon and other smaller marketplaces. You can read our story, here.

    Create a customer support forum on WordPress – using bbPress and WP Knowledge Base

    In this video I will show you how I built my support forum for Envato items: https://coderevolution.ro/support

    Theme:
    https://wordpress.org/themes/wp-knowledge-base/

    Plugins:
    https://wordpress.org/plugins/bbpress/
    https://1.envato.market/jvalidate
    https://wordpress.org/plugins/bbpress-vip-support-plugin/
    https://wordpress.org/plugins/all-in-one-seo-pack/
    https://github.com/thebrandonallen/bbp-auto-close-topics
    https://github.com/r-a-y/bbp-quote
    https://wordpress.org/plugins/bbpress-admin-notes/
    https://wordpress.org/plugins/bbpress-mark-as-read/
    https://wordpress.org/plugins/bbpress-private-replies/
    https://wordpress.org/plugins/bbpress-auto-subscribe-for-new-topics-and-replies/
    https://github.com/pippinsplugins/bbPress-Custom-Reply-Notifications
    https://sl.wordpress.org/plugins/bbpress-do-short-codes/
    https://wordpress.org/plugins/bbpress-new-topic-notifications/
    https://github.com/WPPlugins/bbpress-search-widget
    https://ro.wordpress.org/plugins/bbp-toolkit/
    https://wordpress.org/plugins/custom-post-type-widgets/
    https://wordpress.org/plugins/gd-bbpress-attachments/
    https://wordpress.org/plugins/buttonizer-multifunctional-button/
    https://wordpress.org/plugins/gmail-smtp/
    https://wordpress.org/plugins/insert-headers-and-footers/
    https://wordpress.org/plugins/loginizer/
    https://wordpress.org/plugins/open-external-links-in-a-new-window/
    https://wordpress.org/plugins/recaptcha-for-bbpress/

    I hope these help.

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Can I use the Newsomatic plugin to import content from pages not listed on NewsAPI?

    The Newsomatic plugin can be used to import content from websites supported by NewsAPI. The sources are listed here: List of news source APIs available – News API
    To import content from other websites, I recommend using one of these other plugins:

    [30% OFF] 🇦🇿! We built at least one WordPress plugin for each letter from the alphabet!

    We have just released JValidate today, it is a plugin that helps WordPress developers that sell on Envato, to create a support forum, by validating customer purchase codes.

    JValidate: https://1.envato.market/jvalidate

    With this plugin released, we filled the gap of the last missing letter from the English alphabet. Now we have at least one plugin for each letter from the alphabet!

    To celebrate this achievement, we created a special promotion for Newsomatic, our best selling plugin so far.

    Only today, we are giving 30% discount to all new buyers.

    You will see the discount on the top of the sales page for Newsomatic, if there is no discount listed on the page, it means the promotional period ended.

    30% discount is only available today, so hurry up:)

    PROMOTION URL: https://1.envato.market/newsomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to fix on Blogspot ‘Earnings at risk – One or more of your sites does not have an ads.txt file’

    How to fix:
    Earnings at risk – One or more of your sites does not have an ads.txt file. Fix this now to avoid severe impact to your revenue.

    Learn how to create an ads.txt file on your Blogger pages, to match new AdSense requirements.

    This is the string that should be added to the ads.txt file:
    google.com, pub-0000000000000000, DIRECT, f08c47fec0942fa0

    Don’t forget to replace pub-0000000000000000 with your own published ID. Get it here: https://www.google.com/adsense click Settings, go to Account information.

    More info: https://support.google.com/adsense/answer/7532444?hl=en

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to get cookie values for the Fbomatic plugin?

    Please note the following, when using cookies:

    Please use a separate (maybe fake) Facebook account to use with the plugin. Create this account, log in to it and copy it’s cookie values from the browser, as shown in the video below – please do not log out from it until you wish to use the plugin.

    These cookie values should be treated like your account password!

    If you will import from a closed group, you must join and get approved for this group using the same account that you have added.

    If you will import from a personal profile that its posts are not public, you should add this person as a friend and he must accept your request.

    You should not click on the logout button for these cookie values to stay active. You can close the browser or turn off the computer but do not click on the logout button in Facebook, from the account you are using the cookies.

    How to enable allow_url_fopen on your server?

    Some of our plugins work only if the allow_url_fopen directive is enabled ini PHP settings.

    When it is enabled, plugins can open remote files as if they are local files. This means that they can retrieve the contents of a web page.

    To enable this, use a text editor to modify the allow_url_fopen directive in the php.ini file from your server, as follows:

    allow_url_fopen = on

    MORE INFORMATION

    If you don’t know how to handle this, please contact your hosting provider’s support and ask them to enable this directive for you. They will be able to help.

    Great YouTubers are all in danger! Article 13 will remove their videos

    WE MUST ACT NOW! PLEASE CHECK AND SIGN THIS PETITION: https://www.change.org/p/european-parliament-stop-the-censorship-machinery-save-the-internet?fbclid=IwAR1Enx9KJ6yUHgMvnLI-S9ajfMl1E9UeWmZXFDncSU45QAfIARGNmqmWpsg

    Article 13 threatens the free and open internet. Act now! https://saveyourinternet.eu/act/

    FOR MORE INFO ON ARTICLE 13, PLEASE CHECK ALSO: https://www.youtube.com/watch?v=cGM2UqhKVJw

    FIRST STEP IN THE ****STORM THAT WILL FOLLOW: DANKMEMES FROM REDDIT BANNED ALL EUROPEAN USERS:
    https://www.reddit.com/r/dankmemes/comments/b682gt/regarding_article_13_europes_antimeme_law/

    GET A VPN (in case things get ugly): https://go.nordvpn.net/aff_c?offer_id=15&aff_id=25083&url_id=902

    ARTICLE 13 TEXT: https://eur-lex.europa.eu/legal-content/EN/TXT/?uri=COM:2016:0593:FIN

    SUBSCRIBE TO THIS YOUTUBE CHANNEL: https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Support me by checking my portfolio from CodeCanyon – https://codecanyon.net/user/coderevolution/portfolio?ref=coderevolution

    #Article13 #Article17 #Article11 #SaveYourInternet

    How to get my Impact Radius affiliate link?

    It can also auto-generate the affiliate links so you can make use of the affiliate program

    1- If you didn’t already register for the affiliate program, apply here https://envato.com/market/affiliate-program/

    2- Once you are applied and approved, visit the affiliate dashboard, in the ‘Brands’ -> ‘My Brands’ menu from your Impact Radius dashboard.

    3- Copy your affiliate URL for ‘Envato Market’ and paste it to the plugin settings page

    image

     

    For example, my affiliate URL is: http://1.envato.market/c/1264868/275988/4415

    Continuous live video broadcasting to Facebook or YouTube – learn how

    Facelive and Youlive plugins got updated, they are able to live stream continuous video to Facebook and to YouTube. They will append one to each other videos that you publish on your blog, and create a continuous live stream from it.

    Facelive: https://1.envato.market/facelive

    https://1.envato.market/youlive

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How Google My Business is becoming more and more a social network?

    Google My Business is becoming more and more like a social network for businesses. It has info available about businesses directly on Google, and even more, it allows you creating posts in the name of your business, exactly like on a social network.

    Businessomatic plugin: https://1.envato.market/businessomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Pewdiepie, Markiplier, Jake Paul, Logan Paul, Twitch in danger! Article 13 will delete their content

    WE MUST ACT NOW! PLEASE CHECK AND SIGN THIS PETITION: https://www.change.org/p/european-parliament-stop-the-censorship-machinery-save-the-internet?fbclid=IwAR1Enx9KJ6yUHgMvnLI-S9ajfMl1E9UeWmZXFDncSU45QAfIARGNmqmWpsg

    Article 13 threatens the free and open internet. Act now! https://saveyourinternet.eu/act/

    FOR MORE INFO ON ARTICLE 13, PLEASE CHECK ALSO: https://www.youtube.com/watch?v=cGM2UqhKVJw

    FIRST STEP IN THE ****STORM THAT WILL FOLLOW: DANKMEMES FROM REDDIT BANNED ALL EUROPEAN USERS:
    https://www.reddit.com/r/dankmemes/comments/b682gt/regarding_article_13_europes_antimeme_law/

    GET A VPN (in case things get ugly): https://go.nordvpn.net/aff_c?offer_id=15&aff_id=25083&url_id=902

    ARTICLE 13 TEXT: https://eur-lex.europa.eu/legal-content/EN/TXT/?uri=COM:2016:0593:FIN

    SUBSCRIBE TO THIS YOUTUBE CHANNEL: https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Support me by checking my portfolio from CodeCanyon – https://codecanyon.net/user/coderevolution/portfolio?ref=coderevolution

    #Article13 #Article17 #Article11 #SaveYourInternet

    Quick SpinRewriter Spinner Plugin for WordPress

    This video will show you how to use my latest plugin: ‘Quick SpinRewriter Spinner Plugin for WordPress’ – it will allow you to add a form to your WordPress blog, that will allow your visitors to spin content added by users, using the SpinRewriter Spinner API.

    Check it here: https://1.envato.market/spinrewriter

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to get your WordPress plugins approved on CodeCanyon (also for WP Requirements Compliant badge)

    This video will teach you on how to fix some common code issues in your plugins and get your code approved on CodeCanyon. I provide a list of common rejection reasons and fixes for them.

    Check also my blog post on this subject: https://coderevolution.ro/2019/04/27/common-rejection-reasons-in-plugin-review-on-codecanyon-and-their-fixes/

    Also, it will help you get the ‘WP Requirements Compliant’ badge – after you apply these fixes for all your plugins.

    Full list of plugin requirements: https://help.author.envato.com/hc/en-us/articles/360000510603-WordPress-Plugin-Requirements

    List of issues found in my plugins:
    1. Is this supposed to be a prefix? https://envato.d.pr/OAd6mR
    2. Remove all unused code: https://envato.d.pr/jpcLhW
    3. Enqueue all CSS & JS correctly: https://envato.d.pr/PDWiBi
    4. Use .on() rather than .click(), .bind(), .hover(), .submit() etc… https://envato.d.pr/Ayp0y8
    5. Use proper semantic HTML: https://envato.d.pr/S9Qlea
    6. Escape everything: https://envato.d.pr/EioK9l
    7. All theme text strings are to be translatable and properly escaped: https://envato.d.pr/TaYHTA
    8. Data Validation issues have been found in your theme. https://envato.d.pr/AI0Fmt All dynamic data must be correctly escaped for the context where it is rendered. Please make sure you read these articles: https://make.wordpress.org/themes/tags/writing-secure-themes/ http://codex.wordpress.org/Data_Validation http://developer.wordpress.com/themes/escaping/ http://code.tutsplus.com/articles/data-sanitization-and-validation-with-wordpress–wp-25536 https://vip.wordpress.com/documentation/best-practices/security/validating-sanitizing-escaping/
    9. Don’t suppress errors: https://envato.d.pr/hdcF1c
    10. Instead of using file_get_contents, fopen, fread, fwrite, fputs, chmod and such, could you please use the WordPress equivalents. You can access these through the WP Filesystem API. For more information: https://developer.wordpress.org/reference/functions/wp_filesystem/ https://developer.wordpress.org/reference/classes/wp_filesystem_base/ https://developer.wordpress.org/reference/classes/wp_filesystem_direct/ https://envato.d.pr/8OWR8x
    11. All JavaScript should be written with “use strict” mode on. For example, you can do this with jQuery as follows: (function($) { “use strict”; // Author code here })(jQuery); https://envato.d.pr/zGx3xH
    12. Use dashes instead of underscores for handles: https://envato.d.pr/dyDa2c
    13. Use protocol relative URLs: https://envato.d.pr/a9GyME
    14. Use a proper textdomain: https://envato.d.pr/thU02j

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Stop Article 13! Sign this petition – last chance to save the internet! #saveyourinternet #article13

    WE MUST ACT NOW! PLEASE CHECK AND SIGN THIS PETITION: https://www.change.org/p/european-parliament-stop-the-censorship-machinery-save-the-internet?fbclid=IwAR1Enx9KJ6yUHgMvnLI-S9ajfMl1E9UeWmZXFDncSU45QAfIARGNmqmWpsg

    Article 13 threatens the free and open internet. Act now! https://saveyourinternet.eu/act/

    FOR MORE INFO ON ARTICLE 13, PLEASE CHECK ALSO: https://www.youtube.com/watch?v=cGM2UqhKVJw

    FIRST STEP IN THE ****STORM THAT WILL FOLLOW: DANKMEMES FROM REDDIT BANNED ALL EUROPEAN USERS:
    https://www.reddit.com/r/dankmemes/comments/b682gt/regarding_article_13_europes_antimeme_law/

    GET A VPN (in case things get ugly): https://go.nordvpn.net/aff_c?offer_id=15&aff_id=25083&url_id=902

    ARTICLE 13 TEXT: https://eur-lex.europa.eu/legal-content/EN/TXT/?uri=COM:2016:0593:FIN

    SUBSCRIBE TO THIS YOUTUBE CHANNEL: https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Support me by checking my portfolio from CodeCanyon – https://codecanyon.net/user/coderevolution/portfolio?ref=coderevolution

    #Article13 #Article17 #Article11 #SaveYourInternet

    What is Article 13? How will it affect us all? #saveyourinternet #article13

    WE MUST ACT NOW! PLEASE CHECK AND SIGN THIS PETITION: https://www.change.org/p/european-parliament-stop-the-censorship-machinery-save-the-internet?fbclid=IwAR1Enx9KJ6yUHgMvnLI-S9ajfMl1E9UeWmZXFDncSU45QAfIARGNmqmWpsg

    Article 13 threatens the free and open internet. Act now! https://saveyourinternet.eu/act/

    FOR MORE INFO ON ARTICLE 13, PLEASE CHECK ALSO: https://www.youtube.com/watch?v=cGM2UqhKVJw

    FIRST STEP IN THE ****STORM THAT WILL FOLLOW: DANKMEMES FROM REDDIT BANNED ALL EUROPEAN USERS:
    https://www.reddit.com/r/dankmemes/comments/b682gt/regarding_article_13_europes_antimeme_law/

    GET A VPN (in case things get ugly): https://go.nordvpn.net/aff_c?offer_id=15&aff_id=25083&url_id=902

    ARTICLE 13 TEXT: https://eur-lex.europa.eu/legal-content/EN/TXT/?uri=COM:2016:0593:FIN

    SUBSCRIBE TO THIS YOUTUBE CHANNEL: https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Support me by checking my portfolio from CodeCanyon – https://codecanyon.net/user/coderevolution/portfolio?ref=coderevolution

    #Article13 #Article17 #Article11 #SaveYourInternet

    Article 13 memes + info – live stream #saveyourinternet #article13

    FOR MORE INFO ON ARTICLE 13, PLEASE CHECK ALSO: https://www.youtube.com/watch?v=cGM2UqhKVJw

    WE MUST ACT NOW! PLEASE CHECK AND SIGN THIS PETITION: https://www.change.org/p/european-parliament-stop-the-censorship-machinery-save-the-internet?fbclid=IwAR1Enx9KJ6yUHgMvnLI-S9ajfMl1E9UeWmZXFDncSU45QAfIARGNmqmWpsg

    FIRST STEP IN THE ****STORM THAT WILL FOLLOW: DANKMEMES FROM REDDIT BANNED ALL EUROPEAN USERS:
    https://www.reddit.com/r/dankmemes/comments/b682gt/regarding_article_13_europes_antimeme_law/

    GET A VPN (in case things get ugly): https://go.nordvpn.net/aff_c?offer_id=15&aff_id=25083&url_id=902

    ARTICLE 13 TEXT: https://eur-lex.europa.eu/legal-content/EN/TXT/?uri=COM:2016:0593:FIN

    SUBSCRIBE TO THIS YOUTUBE CHANNEL: https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Support me by checking my portfolio from CodeCanyon – https://codecanyon.net/user/coderevolution/portfolio?ref=coderevolution

    #Article13 #Article17 #Article11 #SaveYourInternet

    How the internet will be destroyed and how this will affect you #Article11 #Article13 #Article17

    WE MUST ACT NOW! SIGN THIS PETITION: https://www.change.org/p/european-parliament-stop-the-censorship-machinery-save-the-internet?fbclid=IwAR1Enx9KJ6yUHgMvnLI-S9ajfMl1E9UeWmZXFDncSU45QAfIARGNmqmWpsg

    GET A VPN (in case things get ugly): https://go.nordvpn.net/aff_c?offer_id=15&aff_id=25083&url_id=902

    ARTICLE 13 TEXT: https://eur-lex.europa.eu/legal-content/EN/TXT/?uri=COM:2016:0593:FIN

    SUBSCRIBE TO THIS YOUTUBE CHANNEL: https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    A SITE WITH A SIMILAR CAUSE: https://saveyourinternet.eu/

    ▶ Support me by checking my portfolio from CodeCanyon – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to interpret the rule running visual indicators (red X, yellow diamond, green tick) from inside plugins?

    Confused about rule running status icons? These are the possible Rule Visual Status Indicators:

    Running In Progress – Importing is Running
    OK Success – New Posts Created
    Faield Failed – An Error Occured. Please check ‘Activity and Logging’ plugin menu for details
    NoChange No Change – No New Posts Created – Possible reasons:
    • ► Already all posts are published that match your search and posts will be posted when new content will be available
    • ► Some restrictions you defined in the plugin’s ‘Main Settings’ (example: ‘Minimum Content Word Count’, ‘Maximum Content Word Count’, ‘Minimum Title Word Count’, ‘Maximum Title Word Count’, ‘Banned Words List’, ‘Required Words List’, ‘Skip Posts Without Images’) prevent posting of new posts.

    Quick Google Translator Plugin for WordPress

    This video will show you how to use my latest plugin: ‘Quick Google Translator Plugin for WordPress’ – it will allow you to add a form to your WordPress blog, that will allow your visitors to translate content from a language to another, using the Google Translate service.

    Check it here: https://1.envato.market/translate

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Vidopticon Video Search Engine – your own custom video search engine with ads!

    This plugin will allow you to create your own, fully customizable video search engine on your website, with your own ads in it! You can even create your own version of AdSense, with the built-in Ad Manager.

    Make a passive income also by shortening the links from the search results, using the Shorte.st link shortnener.

    Also, the plugin has many more cool features! Please check it here: https://1.envato.market/vidopticon

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Quick DeepL Translator Plugin for WordPress

    This video will show you how to use my latest plugin: ‘Quick DeepL Translator Plugin for WordPress’ – it will allow you to add a form to your WordPress blog, that will allow your visitors to translate content from a language to another, using the DeepL Translator API.

    Check it out here: https://1.envato.market/deepl

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How about item licensing? Can I use a license on multiple sites or domains?

    What you should know about item licensing:

    • ‘Regular License’: you may use it only on one domain/project/theme.
    • ‘Extended License’: this is 5 times the cost of the ‘Regular License’ – you may use it on as many domains/projects/themes as you wish.

    So, if you wish to use a plugin on 2 websites, you must purchase 2 ‘Regular Licenses’ for it. If you wish to use it on 5 or more websites, you should purchase an ‘Extended License’.

    Newsomatic update: replace article images with royalty free images from multiple sources

    This video will give you news about the latest update I made for the Newsomatic plugin (and also other plugins) – it is able to import royalty free images to replace the original images that were imported from the source website.

    Avoid copyright issues and make the content more unique!

    Check out Newsomatic here: https://1.envato.market/newsomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Kraken Post Editor update: append content generate by other plugins to old posts

    In this video I will show you how to edit old posts from your blog automatically, and add to them content from any source. Example: Amazom, AliExpress, RSS feeds, Facebook, Twitter, YouTube, and manay, many more!

    Check the plugin here: https://1.envato.market/kraken

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Debunking NewsBuilder – some striking similarities between it and Newsomatic

    In this video I will show you guys some striking similarities of the NewsBuilder plugin (scam) and my Newsomatic plugin sold on CodeCanyon.

    Original plugin:https://1.envato.market/newsomatic

    Rebranded NewsBuilder (more expensive and with fewer features): https://newsbuilder.io/

    What do you think of this?

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to enable PHP CURL?

    If you need to enable curl in your hosting, please contact your hosting provider’s support and ask them to help you enable curl. However, if you want to enable it yourself, please follow the steps from below:

    How to enable CURL in Apache?

    There are a few ways I found to go about enabling CURL in Apache. The one you choose will depend on what OS your running and which flavor of Apache you’ve got.

    Hopefully one of these should sort you out:

    Option 1 : enable CURL via the php.inI

    This is the main method on any windows install like WAMP, XAMPP etc

    1. Locate  your PHP.ini file
      (normally located at in the bin folder of your apache install e.g.
    2. Open the PHP.ini in notepad
    3. Search or find the following : ‘;extension=php_curl.dll’
    4. Uncomment this by removing the semi-colon ‘;’ before it
    5. Save and Close PHP.ini
    6. Restart Apache

    Option 2: Enabling CURL in WAMP?

    1. Left-click on the WAMP server icon in the bottom right of the screen
    2. PHP -> PHP Extensions -> php_curl

    Option 3: enable CURL in Ubuntu?

    Run the following command:

    sudo apt-get install php5-curl
    sudo service apache2 restart

    How to Make sure CURL is enabled and running

    Use the phpinfo() command to output PHP’s configuration and look for curl support under the listed environment variable/modules

    That’s it. Your done!

    Screencast for Facebook app review submission for Fbomatic plugin (new version December 2018)

    Please use this screencast as an example (you must create your own screen recordings, based on this screencast! – do not use this video in app review).
    This is a new and updated screencast version – December 2018.

    Plugin URL: https://1.envato.market/fbomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Mega Update ready: generate content into a single post from multiple plugins for all of our plugins

    I want to get to you guys news about the mega update I just finished: the ability to import content into a single post, coming from multiple of our plugins.
    This means you can combine content from Amazon, with content from YouTube, or from Vimeo, or many other sources! Possibilities are endless!

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #coderevolution #megaupdate #update

    Update for Youtubomatic: it can import videos from playlists and also related videos

    Update for Youtubomatic: it can import videos from playlists and also related videos

    This video will give you heads up for the latest update for the Youtubomatic plugin – import videos from playlists or videos that are related for a specific video you pinpoint.

    Check it here: https://1.envato.market/youtubomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Mega Update for all plugins: generate content into a single post from multiple plugins

    A new update is coming soon for all my plugins! The ability to create content from multiple plugins and combine it into a single post (imagine a YouTube video, under it a related Amazon affiliate product).

    The update will roll out soon (although it is still in it’s idea phase right now).

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Make money by simply searching online – earn free cryptocurrency for your searches

    Earn each day an income, by just doing the Google searches you would normally do on the internet. This company pays you for searching on their site!

    Presearch: https://www.presearch.org/

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶Newsomatic Plugin Video – https://www.youtube.com/watch?v=pEcjdkD8xY0
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    DISCLAIMER:
    I can not guarantee that you will make money from this, or any of my other videos. I’m just showing you different websites and methods that has the potential of making money.

    Behanceomatic Automatic Behance Post Generator

    Behanceomatic Automatic Post Generator Plugin for WordPress is a breaking edge Behance To WordPress project importer plugin that is ideal for autoblogging. It uses the Behance API to turn your website into a autoblogging or even a money making machine!

    It can import projects from Behance company pages, based on keyword searches.

    Please check it here: https://1.envato.market/behanceomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    10 tips to increase domain authority and rank higher in Google

    In this video I will give you 10 tips on getting higher ranking in Google. Check them out and let me know if they helped you.

    Check my WordPress plugin portfolio: https://1.envato.market/coderevolution

    Also, don’t forget to subscribe: https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to get Lifetime Free Hosting + Create/Point a Free Domain + WordPress

    Hosting a website used to be complicated, and at times expensive. Luckily, we have some solutions that are both easy to use and free now!

    Free hosting: https://www.000webhost.com/
    Free domain: http://www.dot.tk/en/index.html?lang=en
    Free SSL: https://www.sslforfree.com/

    Our plugins on CodeCanyon: https://1.envato.market/=coderevolution

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Uploaded image is not allowed aspect ratio error. – Error when uploading image to Instagram

    If you receive the error from the title, when trying to upload images to Instagram, please follow the following solution:

    Instagram used to be all about the square image. However, you can now upload landscape (horizontal) or portrait (vertical) photos as well. Here are the best sizes for Instagram’s three image types:

    • Square Image: 1080px in width by 1080px in height (Aspect ratio 1:1)
    • Vertical Image: 1080px in width by 1350px in height (Aspect ratio 4:5)
    • Horizontal Image: 1080px in width by 566px in height (aspect ratio 1.91:1)

    Square

    ig-square

    Vertical

    ig-vertical

    Horizontal

    ig-horizontal

     

    You should automatically rescale your images to one of the above sizes, to be sure that all published images are automatically posted to Instagram. To do so, you can use a free plugin, example: https://wordpress.org/plugins/imsanity/

    NewsBuilder – the truth behind it: it is a re-branded/stolen plugin!

    If you heard of the NewsBuilder plugin that is sold on JVZoo, check this out: it is rebranded from a plugin I sell on CodeCanyon.

    Original plugin: https://1.envato.market/newsomatic

    Rebranded NewsBuilder (not working well – based on customer reviews who contacted me – and it has way fewer features): https://newsbuilder.io/

    What do you think of this?

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    I Am Rich – a WordPress plugin for the top 1%

    If you got this plugin, you are in the top 1%. You can afford to buy a plugin that does almost nothing, for a large sum of money.

    This plugin will display a random quote in the WordPress admin, that will tell you each time you visit the admin page, that you are really rich!
    https://coderevolution.ro/product/i-am-rich-a-plugin-for-the-top-1/

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    I get error in Instamatic: Something went wrong. Please report issue . – Please try to log in to your Instagram account from your browser. You should be prompted that a new login attempt was made from a new location. Please click ‘It was me’ to allow the plugin to log in from the server’s location.

    The error you got is caused by a security measure that is active on your Instagram account. Please log in to your Instagram account from your browser and a popup will appear for you after login asking if a new login was made by you, from your server’s physical location (a map will be shown).
    You need to click ‘It was me’, and afterwards, the plugin will be able to log in successfully.

    How to use our plugins together with WPML?

    All of our plugins fully support WPML. You can configure WPML on your blog and go ahead and generate content using our plugins. The content will be normally translated and shown on your multilingual website, exactly like how you would post content manually to your blog.

    How do I setup a Facebook App, to allow me to post automatically to Facebook (for FaceLive)?

    Things to Gather Before Submission

    App details:

    1. Logo: 1024 x 1024 high-resolution image for your app
    2. Details about the usage of each Permission: You need to provide brief details about why you require a permission and how it is meant to be used.
    3. Screencast for each permission: Prepare a screencast for each permission that you seek, showing how the permission is used in the app
    4. Privacy Policy: An accessible website URL that hosts your privacy policy
    5. Terms and service URL: A valid terms and service URL.

    Status and Review:

    1. General instructions of what your app does.
    2. Individual notes on each of the additional requested permissions as detailed below.
    3. Individual steps to replicate functionality for additional requested permissions as detailed below.
    4. We recommend you include at least 4 screenshots of your in-app experience.

     

    Note: Due to Facebook Restriction we can use the new Facebook App in HTTPS sites only.

    To create a new Facebook application ,go to the link https://developers.facebook.com/apps or https://developers.facebook.com/

    If you are not a developer, register first

    If you are not a developer, you need to register as a developer.

     

    Click on the “Register as a Developer” link (highlighted above).

     

    In the first step “Accept the terms” and click continue.

     

    In the second step “Tell us about you”, select the appropriate section and click continue.

     

    Now you are a Facebook Developer. Click “Done” and you can now create the application.

    Create Facebook App

    Step 1:

    Click on the “Create New App/ Add a New App” link.

    Step 2:

    Enter the App Display Name and the contact email and click the “Create App ID”.

    Step 3:

    Now it will redirect to the “Add Product” page and in this page click the “Set Up” button in “Facebook Login”.

    Step 4:

    Click the “Web” button.

    Step 5:

    In the “Site URL” section add your site url and save it.

    (Note: You can see your site URL in the top of the plugin Facebook settings.)

     

    Note: If the “Quickstart” page is blank and you cannot enter the domain URL, please go to “Settings > Basic” section, just below the Dashboard and then click the “Add Platform” as shown below.

    Then select the “website” as given below.

    In this page you can add the site URL and save it.

    Step 6:

    Click on the “Facebook Login >Settings” link as shown below.

    Here enter the “Valid OAuth redirect URIs”.

    Note : You can see the OAuth redirect URI in the top of the account settings in the plugin.

    Please use this OAuth redirect URI in the facebook settings.

    After entering the OAuth redirect URI and enable the “Client OAuth Login and Web OAuth Login”, please save the changes.

    Step 7:

    The app is ready now. Click the “Dashboard” link in the menu to see the app id and secret.

    In the “Dashboard” we can see the App ID and App Secret.

     

    The App ID and App Secret are now ready. Click the “Show”button to see the App Secret. (The app secret is in alphanumeric and DON’T use ******* as App Secret.)

    Step 8:

    Here the app is in development mode. Only the developer can view the posts now.

    We need to “submit the app for approval” and after the app get approved, we can make the app public and the users can see the posts in the Facebook.

    The App Review Process Submission is given below.

    1: Click on the “App Review” and then the “Start a Submission” button in the “Submit Items for Approval” section.

    2: If you only wish to publish to Facebook pages you own, In the permissions page please select the login permissions manage_pages, Live Video Feature, publish_video and  publish_pages  and click on the “Add 2 Items” button. If you wish to publish to groups, you will need these permissions for publishing the posts to groups – groups_access_member_info, Live Video Feature, publish_video, publish_to_groups and Groups API.

    3: Now you can see the current submissions and it is asking to “Add Details” of each item.

    4. Click on the “Add Details” link and you can add the details of each item.

    4 A : Details for publish_pages

    1. For the question “How is your app using publish_pages?”, please select the first answer “Lets people publish content or respond to posts and comments as a Page (also requires manage_pages)”.
    2. For the question “What platforms does your app use publish_pages on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.
      The publish_pages permission is used to create live events on pages by the app.A Sample detailed step-by-step instructions are given below:

      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Authorize the App’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side.

                    The new post will be published in the website as well as on Facebook.                

           10.3 : Without the Facebook “publish_pages” permission, we would not be able to publish content to Pages owned by the admin.

    4. Now upload a video screencast of the above procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    SCREENCAST EXAMPLE:

    4 B : Details for manage_pages

    1. For the question “How is your app using manage_pages?”, please select the first answer “This app is used in a WordPress plugin (FaceLive). It lets people publish content or respond to posts and comments as a Page (also requires publish_pages)”.
    2. For the question “What platforms does your app use manage_pages on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.
      The manage_pages permission is used to list pages associated with the app. A Sample detailed step-by-step instructions are given below:

      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Authorize the App’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side.

                    The new post will be published in the website as well as on Facebook.                

           10.3 : Without the Facebook “manage_pages” permission, we would not be able to publish content to Pages owned by the admin.

    4. Now upload a video screencast of the procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    SCREENCAST EXAMPLE:

    4C : Details for groups_access_member_info (Only if you wish to publish to groups)

    1. For the question “How is your app using groups_access_member_info?” use the answer “This app is used in a WordPress plugin (FaceLive). To get details of  Facebook groups managed by the app’s admin using plugin.”
    2. For the question “What platforms does your app use groups_access_member_info on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.                                                                                                                                                                                                                                 The groups_access_member_info  permission is used to manage and list groups associated with the app. A Sample detailed step-by-step instructions are given below:
      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Authorize the App’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side.

                    The new post will be published in the website as well as on Facebook.                

           10.3 : Without the Facebook “groups_access_member_info” permission, we would not be able to fetch details of groups owned by the admin.

    4. Now upload a video screencast of the procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    PLEASE CREATE A SCREENCAST WHERE THE FULL UPLOADING PROCESS TO THE FACEBOOK GROUP CAN BE SEEN.

    4D : Details for publish_to_groups (Only for publishing to groups)

    1. For the question “How is your app using publish_to_groups?” use the answer “This app is used in a WordPress plugin (FaceLive). To publish WordPress blog posts to Facebook groups managed by the app’s admin using plugin”
    2. For the question “What platforms does your app use publish_to_groups on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.                                                                                                                                                                                                                                The publish_video permission is used to broadcast live videos by the app. A Sample detailed step-by-step instructions are given below:
      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Authorize the App’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side.

                    The new post will be published in the website as well as on Facebook.                

           10.3 : Without the Facebook “publish_to_groups” permission, we would not be able to publish content to groups owned by the admin.

    4. Now upload a video screencast of the procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    PLEASE CREATE A SCREENCAST WHERE THE FULL UPLOADING PROCESS TO THE FACEBOOK GROUP CAN BE SEEN.

    4E : Details for Groups API (Only for publishing to groups)

    1. For the question “Please explain how you are using Groups API to enhance the experience of your app.” use the answer “This app is used in a WordPress plugin (FaceLive). To get the groups details and publish WordPress blog posts to Facebook groups managed by the app’s admin using plugin.”
    2. For the question “What platforms does your app use Groups API on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.                                                                                                                                                                                                                                 The Groups API permission is used to access groups related data from the app. A Sample detailed step-by-step instructions are given below:
      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Authorize the App’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side.

                    The new post will be published in the website as well as on Facebook.                

           10.3 : Without the Facebook “Groups API” , we would not be able to get group details and publish content to groups owned by the admin

    4. Now upload a video screencast of the procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    PLEASE CREATE A SCREENCAST WHERE THE FULL UPLOADING PROCESS TO THE FACEBOOK GROUP CAN BE SEEN.

    4F : Details for Live Video Feature

    1. For the question “Please explain how you are using Live Video Feature to enhance the experience of your app.” use the answer “This app is used in a WordPress plugin (FaceLive). To get the groups details and publish WordPress blog posts to Facebook groups managed by the app’s admin using plugin.”
    2. For the question “What platforms does your app use Live Video Feature on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.                                                                                                                                                                                                                                 The Live Video Feature permission is used to broadcast live videos by the app. A Sample detailed step-by-step instructions are given below:
      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Authorize the App’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side.

                    The new post will be published in the website as well as on Facebook.                

           10.3 : Without the Facebook “Live Video Feature” , we would not be able to get group details and publish content to groups owned by the admin

    4. Now upload a video screencast of the procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    SCREENCAST EXAMPLE:

    4G : Details for publish_video

    1. For the question “Please explain how you are using publish_video to enhance the experience of your app.” use the answer “This app is used in a WordPress plugin (FaceLive). To get the groups details and publish WordPress blog posts to Facebook groups managed by the app’s admin using plugin.”
    2. For the question “What platforms does your app use publish_video on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.                                                                                                                                                                                                                                 The publish_video permission is used to broadcast live videos by the app. A Sample detailed step-by-step instructions are given below:
      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=facelive_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Authorize the App’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side.

                    The new post will be published in the website as well as on Facebook.                

           10.3 : Without the Facebook “publish_video” , we would not be able to get group details and publish content to groups owned by the admin

    4. Now upload a video screencast of the procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    SCREENCAST EXAMPLE:

    4 H : App Verification Details (Optional)

    This permission is already enabled and if you want to add a test user, you can add the test user here.

    There is a test user “Open Graph Test User” by default.

    Now you can see the additional items to enter.

    Please click on the settings link in the section and you can see the App Icon, Privacy Policy URL, Category etc.

    After entering the details, please save it. Now we can submit the app for review.

    Accept the terms and submit. The app is now submitted for approval.

    Note: It may take some to get the app approved by facebook. (1 week – 3 months).

    One the app get approved, please make the app live.

    To make the app ‘Live/Public’, please go to the ‘App Review‘ page.

     

    In this page please select the ‘Live/Public’ mode by selecting the ‘YES’ button and a ‘green indicator’ will display next to the app name as in the below image.

     

    You can now use the facebook app keys in the plugin.

    Now enter these keys in the plugin settings in your site.

    After entering the keys in the facebook settings page, you need to “Authorize” the account. (The authorization section is present in the wordpress plugin section).

    You can see the Facebook pages in the settings page only after authorizing Facebook account.

    When you click on the “Authorize” button, it will redirect to a facebook popup dialog box.

    Step 1:

     

    There is some warnings and you can ignore the warning and click the “OK” button.

    Step 2:

     

    Select the “Public” option and click OK.

    Step 3:

     

    In the step 3 click OK and the authorization is complete.

    Now you can see all your Facebook pages and you can select the Facebook page (or group) to auto publish.

     

    You can also check a tutorial video on the approval process (Facebook app submission not included):

    Panopticon WordPress Search Engine – your own custom search engine with ads!

    This plugin will allow you to create your own, fully customizable search engine on your website, with your own ads in it! You can even create your own version of AdSense, with the built-in Ad Manager.

    Make a passive income also by shortening the links from the search results, using the Shorte.st link shortnener.

    Also, the plugin has many more cool features! Check it out now!

    Panopticon Plugin URL: https://1.envato.market/panopticon

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Shorte.st link shortener update for our plugins – add a passive income to your autoblog!

    The latest update for our plugins contains a new feature: the ability to shorten links to full articles using the shorte.st link shortener service. This is a great service, that will pay you for clicks visitors will make.

    Sign up for shorte.st now: http://join-shortest.com/ref/ff421f2b06?user-type=new – and start earning with our plugins: https://1.envato.market/coderevolution

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Viralomatic 1.1.0 update: ability to import content from ContextualWebSearch API

    The latest update for the Viralomatic plugin brings the ability to import content from the ContextualWebSearch API – it will allow you to import content by keyword, and to get the latest viral videos that are out there!

    Viralomatic Plugin URL: https://1.envato.market/viralomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to get a SoundCloud user/playlist id?

    For users

    1. visit the user profile page for example this user https://soundcloud.com/relaxmeditation

    2. Click the share button

    3. visit the embed tab and copy the embed code

    4. paste the embed code at any editor at your computer to view it and copy the numerical value after the “/users/” text. this is the user id

    For Playlists

    it is the same, just copy the embed code of the playlist to your editor and you should find the numerical id of the playlist after the “/playlists/” text

     

    For playlists, you can also use the ID found in the URL.

    Example (get the PLAYLIST_ID):

    https://soundcloud.com/USER_NAME/sets/PLAYLIST_ID

    How to scrape WooCommerce products using Crawlomatic (with dropshipping price increase)?

    In this tutorial I will teach you how to crawl and create WooCommerce products for your store (with or without modifying their price – useful for dropshippers). You can crawl products and import their price (also add to the price a fixed amount or multiply the price by a value).

    Crawlomatic Plugin URL: https://1.envato.market/crawlomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    I´m pasting the purchase code but i get a “Plugin registration failed!” message

    Please check the ‘Activity and Logging’ menu of the plugin, there you will see detailed info about this error.

    Probably, this issue is caused by the not being made properly to my registration server.

    If you get the error message from the plugin log, please send it to me, so I can check it. Also, it is very highly probably that you should contact your hosting provider’s support and ask them why connection to https://coderevolution.ro/ is returning the error shown in plugin log. Probably they have a firewall rule set up, that is blocking external connections. They should remove it and registration will work.

    How to crawl password protected websites using the Crawlomatic plugin for WordPress?

    This tutorial video will show you how to crawl websites that are password protected, using the Crawlomatic plugin for WordPress. Please note that only websites that you know the user/password for, can be crawled by this plugin.
    Crawlomatic Plugin URL: https://1.envato.market/crawlomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Viralomatic – Viral News Post Generator – WordPress plugin

    Viralomatic Viral News Post Generator – WordPress plugin is a breaking edge Currents API To WordPress post importer plugin that is ideal for autoblogging. It uses the Currents API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts with the latest news found on many major news site.

    https://1.envato.market/viralomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #viral #viralnews #news

    When I save rules in importing settings, I get a 403 Forbidden error or a 404 not found error

    This issue is hosting related. The hosting provider has activated a mod_security rule on the server, that is blocking it’s functionality.

    So, to resolve this issue, please contact your hosting support and ask them the following: they should check if your host has any mod_security settings that forbids sending of URLs/content as POST parameters, or any other rule, that could forbid this to happen. If they find such a rule, ask them to remove it. Also, you could describe the issue you are having to them, maybe it will help them to find the mod_security rule that is blocking the plugin’s functionality. To describe your issue, you can tell them the following: “When I submit any kind of content in a custom form using POST method, in a WordPress plugin I am using, I get a 404 page not found/403 forbidden (select the one that matches your case) error on submission.”

    Hackeromatic – Hacker News Post Generator Plugin for WordPress

    Hackeromatic Hacker News Post Generator – WordPress plugin is a breaking edge Hacker News to WordPress post importer plugin that is ideal for autoblogging. It uses the Hacker News public API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules.

    Hackeromatic Plugin URL: https://1.envato.market/hackeromatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    MultiLive – Multiple Live Stream Broadcaster Plugin – live stream pre-recorded videos

    MultiLive – Multiple Live Stream Broadcaster Plugin will allow you to live stream any video from YouTube, Vimeo, Twitch, DailyMotion, Facebook, or also local videos – to multiple live streaming websites, as a live broadcast.

    Simply embed videos in the published post’s content, and let this plugin do it’s magic!

    Check it out now: https://1.envato.market/multilive

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Crawlomatic major update: unlimited crawling potential

    Crawwlomatic just got a major update today: it can import any number of content from the crawled pages, and store them in custom shortcodes to use the in post content/title/custom meta/custom taxonomies. Also, yes, it will also be able to create custom post taxonomies for generated posts.

    Crawlomatic plugin URL: https://1.envato.market/crawlomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Update about the article spinner services that can be used to get unique content

    In this video I will explain how to use the text spinners from my plugins, to get quality unique content automatically imported to your blog.

    In the video, I will talk about content spinners. Links to creating accounts for them, below:

    The Best Spinner – https://paykstrt.com/10313/38910

    WordAI – https://wordai.com/?ref=h17f4

    SpinRewriter – https://www.spinrewriter.com/?ref=24b18

    WordPress plugin used: https://1.envato.market/spinomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to get approved for Google Adsense with an auto blog?

    In this video I will try to help you understand how to get approved for Google AdSense, using an auto blog.

    In the video, I will talk about content spinners. Links to creating accounts for them, below:

    The Best Spinner – https://paykstrt.com/10313/38910

    WordAI – https://wordai.com/?ref=h17f4

    SpinRewriter – https://www.spinrewriter.com/?ref=24b18

    WordPress plugin used: https://1.envato.market/newsomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    CBomatic Clickbank Affiliate Post Generator Plugin for WordPress

    This extremely feature rich plugin will generate money for you even in your sleep! Take advantage of the Clickbank affiliate program and start to earn a passive income! Try it out now!

    Plugin URL: https://1.envato.market/cbomatic

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    FaceLive – Live Stream Broadcaster Plugin – live stream pre-recorded videos to Facebook

    YouLive – Live Stream Broadcaster Plugin will allow you to live stream any video from YouTube, Vimeo, Twitch, DailyMotion, Facebook, or also local videos – to YouTube Live, as a live broadcast.

    Simply embed videos in the published post’s content, and let this plugin do it’s magic!

    Check it out here: https://1.envato.market/facelive

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    New feature in the latest updates of plugins: async publishing (improve performace)

    In the latest updates for automatic publishing plugins, you will have the ability to turn on ‘async publishing’, which will greatly decrease the time spent in the ‘publishing’ process of posts, moving the uploading of content to a background task on your server.
    Cool WordPress plugins: https://1.envato.market/coderevolution

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to use YouTube channel RSS feed to import video posts to WordPress?

    This tutorial will show you how to use the Echo RSS Feed Post Generator plugin to import posts from any YouTube channel’s RSS feed, as video posts. However, if you wish to only import video posts, I would recommend one of my other plugins (built especially for YouTube):
    Youtubomatic URL: https://1.envato.market/youtubomatic

    But still, Echo is a good option for general RSS feed importing: https://1.envato.market/echo

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to create custom feeds for your WordPress blog using the Echo RSS Feed plugin?

    This tutorial will demonstrate how to use the Echo RSS Feed plugin to create custom RSS feeds to your blog. You can filter content posts, pages or custom post types from your blog, and add them to custom feeds, based on your preferences.
    This video will teach you how to create RSS feeds on WordPress.

    Echo RSS Plugin URL: https://1.envato.market/echo

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to create an news website on autopilot using Newsomatic plugin? #newsomatic

    In this tutorial video I will teach you how to create an autoblog using the Newsomatic plugin – I will present more approaches to this, also ways on how to create unique content using the plugin.

    Link to my plugin: https://1.envato.market/newsomatic

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    #newsapi #news #autoblog

    Crawlomatic update – it is able to execute JavaScript to crawl dynamically generated content

    Crawlomatic update – it is able to execute JavaScript to crawl dynamically generated content. PhantomJS is needed to be installed on your server for this new feature to work. This is a unique on the market feature, no other similar plugins have this right now.

    Check it out now: https://1.envato.market/crawlomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to install ffmpeg?

    Installing FFmpeg in Windows

    1. Download a static build from here.
    2. Use 7-Zip to unpack it in the folder of your choice.
    3. Open a command prompt with administrator’s rights.
      NOTE: Use CMD.exe, do not use Powershell! The syntax for accessing environment variables is different from the command shown in Step 4 – running it in Powershell will overwrite your System PATH with a bad value.
    4. Run the command (see note below; in Win7 and Win10, you might want to use the Environmental Variables area of the Windows Control Panel to update PATH):
      setx /M PATH "path\to\ffmpeg\bin;%PATH%"
      Do not run setx if you have more than 1024 characters in your system PATH variable. See this post on SuperUser that discusses alternatives. Be sure to alter the command so that path\toreflects the folder path from your root to ffmpeg\bin.
      (Here’s another explanation with pictures.)

    Installing FFmpeg in OS X

    Here are a couple of links to instructions:
    http://www.renevolution.com/ffmpeg/2013/03/16/how-to-install-ffmpeg-on-mac-os-x.html
    http://www.idiotinside.com/2016/05/01/ffmpeg-mac-os-x/
    http://macappstore.org/ffmpeg/

    Installing FFmpeg in Ubuntu

    sudo add-apt-repository ppa:mc3man/trusty-media  
    sudo apt-get update  
    sudo apt-get install ffmpeg  
    sudo apt-get install frei0r-plugins  
    

    Helpful links for Ubuntu users:http://wiki.razuna.com/display/ecp/FFmpeg+Installation+for+Ubuntu#FFmpegInstallationforUbuntu-Installlibfdk-aac
    http://www.webupd8.org/2014/11/ffmpeg-returns-to-official-ubuntu.html
    http://linuxg.net/how-to-install-ffmpeg-2-6-1-on-ubuntu-15-04-ubuntu-14-10-ubuntu-14-04-and-derivative-systems/
    http://ffmpeg.org/download.html
    http://askubuntu.com/questions/432542/is-ffmpeg-missing-from-the-official-repositories-in-14-04

    How to install PhantomJS?

    How to install PhantomJS on Ubuntu

    First, install or update to the latest system software.

    sudo apt-get update
    sudo apt-get install build-essential chrpath libssl-dev libxft-dev
    

    Install these packages needed by PhantomJS to work correctly.

    sudo apt-get install libfreetype6 libfreetype6-dev
    sudo apt-get install libfontconfig1 libfontconfig1-dev
    

    Get it from the PhantomJS website.

    cd ~
    export PHANTOM_JS="phantomjs-1.9.8-linux-x86_64"
    wget https://bitbucket.org/ariya/phantomjs/downloads/$PHANTOM_JS.tar.bz2
    sudo tar xvjf $PHANTOM_JS.tar.bz2
    

    Once downloaded, move Phantomjs folder to /usr/local/share/ and create a symlink:

    sudo mv $PHANTOM_JS /usr/local/share
    sudo ln -sf /usr/local/share/$PHANTOM_JS/bin/phantomjs /usr/local/bin
    

    Now, It should have PhantomJS properly on your system.

    phantomjs --version

    How to install PhantomJS on Windows

     

    • Right click on the downloaded phantomJs zip file to Extract All
    • Copy all the contents located in phantomjs-X.X.X-windows
    • On your drive, create a new directory structure C:\PhantomJs\bin\phantomjs
    • Paste the contents on the extracted phantomjs-X.X.X-windows directory here:

     

    • Copy the path of the phantomjs directory (C:\PhantomJs\bin\phantomjs)
    • Right click on my computer and select Properties
    • Select Advanced system settings
    • Click on the Environment Variables.. button
    • Under the System Variables section, find the Path variable

     

    • Click on the Edit.. button
    • At the end of the existing Path, add a semicolon (;) and then the path to the following

    C:\PhantomJs\bin\phantomjs

     

    • Click OK

    Cool! Now, according to the PhantomJs documentation, we should have all we need to get started since the binary is self-contained and has no external dependencies.

    How to install PhantomJS on Mac

    brew install phantomjs

    My antivirus software detected a possible malicious code in plugin

    Example of alert: 

    This file appears to be installed or modified by a hacker to perform malicious activity. If you know about this file you can choose to ignore it to exclude it from future scans. The text we found in this file that matches a known malicious file is: \x0a @exec(‘crontab

    Response:
    Our plugins do not contain malicious code. They contain however programming methods, that can be used in some circumstances, as malicious code. An real life example of this: a knife can be used to slice bread or in crimes. My plugins are using the knife to slice bread.
    However, some antivirus companies create software that analyze code by pattern matching, and do not check exactly what the code is doing, before reporting it as malicious (they detect a knife on me, and they report me to the police for murder, without the murder even being there in the first place)…
    Conclusion: My plugins are not malicious files, your antivirus software is detecting them as a false positives (files that are not malicious, but are detected as malicious by bad antivirus software).
    The plugin uses crontab to schedule cron jobs outside of WordPress, it is not executing any malicious code using crontab – just to replace wp_cron, if the user selects to do so from plugin settings (otherwise this code is not executed).

     

    YouLive – Live Stream Broadcaster Plugin – live stream pre-recorded videos to YouTube

    YouLive – Live Stream Broadcaster Plugin will allow you to live stream any video from YouTube, Vimeo, Twitch, DailyMotion, Facebook, or also local videos – to YouTube Live, as a live broadcast.

    Simply embed videos in the published post’s content, and let this plugin do it’s magic!

    Get it here: https://1.envato.market/youlive

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How to restore your WordPress .htaccess file

    You can restore your WordPress .htaccess file, in this way:

    • Delete the old .htaccess file
    • Create a new, blank, .htaccess file in your WordPress directory via FTP or SSH
    • Change permissions to 777 for it (if you use Linux server)
    • Log-in to your WordPress dashboard. Navigate to Settings menu -> Permalinks -> update ‘Permalink Settings’ (choose any option there).
    • When done, change the .htaccess permissions back to 644.

    How to get my Walmart affiliate/publisher ID?

    Walmartomatic supports importing items from Walmart on auto-pilot and adding affiliate links to the link URLs.

    Steps to get the affiliate ID for Walmart:

    1- to make commissions, you should apply as an affiliate for Walmart, on Impact Radius: https://impact.com/

    2- once applied,visit your affiliate dashboard here and click on the link icon on the left

    Impact Radius

    3- Copy the first numeric value from the displayed link between the two slashes. This is the publisher ID that should be added to the settings page of the plugin. in my case, it is 1804192

    Will I have copyright problems if I import posts from other news sources? Is this legal?

    To make sure that everything is legal, you need to make some prior checks.

    You need to check each website’s ‘Terms of Service’ page – there you will find info about how much content they allow to be republished. Some will allow full content to be republished, and will require just a back link to the original article, while others will allow only a portion of the content to be republished. This should be visible in their ‘Terms of Service’ page.

    Getting a ‘Plugin registration failed!’ message when trying to register plugin’s purchase code

    In this case, please go to the ‘Activity and Logging’ section of the plugin. You will see an error message that starts with:

    Failed to get verification response: …

    Example:

    Failed to get verification response: Failed to connect to coderevolution.ro port 443: Connection refused

    The above message means your hosting provider is blocking access to my registration server by a firewall rule. Please contact your hosting provider’s support, and ask them to allow connections to coderevolution.ro from your server.

    Also, each error message that appears in the above error, should be communicated to the hosting provider’s support, and they should be able to fix it.

    New course: WordPress Plugin Development Tutorial (Basic to Advanced)

    https://coderevolution.teachable.com/p/wordpress-plugin-development-tutorial

    In this course I will try to teach you how to create WordPress plugins that are going to sell well on online marketplaces like CodeCanyon. Also, I will teach you to see plugins as assets, that are created by you, thus acquired (almost) for free. And, as we know, assets will produce money over time.

    By taking this Course you’re going to be able to make your own WordPress plugins and get them ready for publishing on the your own or other large online marketplaces to start earning with them. After taking the course you’re going to be in a prime position to take advantage of the rapidly accelerating growth of WordPress and get your plugin out into the hands of users – thus generating income with it.

    Check it out: https://coderevolution.teachable.com/p/wordpress-plugin-development-tutorial

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    New course available: Basic WordPress Tutorial (from Zero to Hero) by CodeRevolution

    https://coderevolution.teachable.com/p/basic-wordpress-tutorial-from-zero-to-hero

    Happy to announce that a new course is available starting from today on Teachable. If you want to learn everything about how to set up your own WordPress web page (from Zero to Hero), than this is the right course for you!

    Check it out now: https://coderevolution.teachable.com/p/basic-wordpress-tutorial-from-zero-to-hero

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Trendomatic v2.0 update – many cool new features (including DarkWeb search)!

    Some of the new features included in v2.0 update:

    You can search for and import to your blog content from the DarkWeb (warning – backlinks will be accessible only with the Tor browser).

    Also, you can import product reviews to posts.

    Check it out here: https://1.envato.market/trendomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Shortcode examples for the Newsomatic plugin [newsomatic-list-posts]

    This video will help you configure the shortcodes available in the Newsomatic plugin (note that these shortcodes will be available also in other plugins that import content and are made by use, but with the prefix changed).

    Newsomatic Plugin URL: https://1.envato.market/newsomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Shortcode examples for the Newsomatic plugin [newsomatic-display-posts]

    This video will help you configure the shortcodes available in the Newsomatic plugin (note that these shortcodes will be available also in other plugins that import content and are made by use, but with the prefix changed).

    Newsomatic Plugin URL: https://1.envato.market/newsomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Update for all our plugins: migration from Goo.gl URL shortener to Bitly

    Update for all our plugins: migration from Goo.gl URL shortener to Bitly. Starting from the latest updates for all our plugins, Goog.gl URL shortener will be replaced with Bitly (Goo.gl URL shortener will be shut down soon).

    Please check it out: https://1.envato.market/coderevolution

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Why the imported posts have a pixelated featured image (low quality / resolution)?

    The plugin extracts images in this order: the image found in the feed (for the imported article), the post’s og:image meta, images from post content. To solve this issue, please try checking in importing rule’s settings, the ‘Skip Checking Feed Image’ checkbox. It will not use the image found directly in the feed (it think that this is the image that is too small). If this not helps, please try checking also the ‘Skip Checking og:Image Meta’ checkbox.

    I set the plugin to import content each hour, but it runs only a few times a day

    Our plugins are using wp_cron for automatic running (this is the only available option in WordPress for scheduling events).

    The drawback of this method is that it requires visitors for it to be triggered. So, if your blog has only 2 visitors a day, the plugin will run 2 times a day.

    A method to prevent this, is to set an external cron job to your blog and call it automatically, each hour. An free external service that can do this is this: https://cron-job.org/en/

    You can register here, and set it to automatically call your website (your main blog page is ok), each hour, like this, it will mimic visitors and the wp_cron will be executed hourly.

    Youtubomatic update – import video captions to generated post’s content

    Youtubomatic update – import video captions to generated post’s content. In the latest update for Youtubomatic plugin, you will be able to import the captions of videos as the post’s content, granting unique content for generated posts each time.

    Check: https://1.envato.market/youtubomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    GDPR and our plugins

    Our plugins and add-ons are compatible with GDPR. Below are the common questions related to GDPR.

    Do your plugins track any data?

    We do not track any user data via our plugins. But if our plugin depends on any third party service, they might track user data. This can happen in following two ways:

    1. Embedded Widgets

    Some of our plugins have features to integrate embedded widgets as is, from third party services (like Facebook Like, Facebook Recommend, Twitter Tweet official buttons). It is very likely that these widgets will become GDPR compliant before May 25th. Apart from this, you can include relevant text in the privacy policy of your website that we have mentioned below.

    2. Third-party APIs/Connections

    Our plugins send request to third party APIs via website-visitor’s web browser to fetch information (like social shares, social comment count). This request made by web browser may include IP address, which can then be seen by the third-party that it’s being requested from. This API request doesn’t include any personal data of the website user other than the IP address.  To make your users aware of this,  you can include relevant snippets in your website’s privacy policy.

    Where is the data collected by your plugins stored?

    We do not store any data fetched by our plugins on our servers, neither we share that data with any third party. Our plugins run absolutely on your website and store the data in the database of your website.

    Do your plugins load any external scripts?

    As mentioned before, our plugins run absolutely from your website and hence load the scripts too from your website with exception of third-party embedded widgets (like Facebook Like/Recommend official button, Twitter tweet official button, Facebook Comments) which require our plugin to load scripts from the servers of relevant service. You can include relevant snippets in the Privacy Policy of your website stating how these services handle privacy of your users.

     

    Some snippet examples that can be added to your privacy policy (in function of which functionality from our plugins or components you are using):

    Google Analytics:

     

     

    We use Google Analytics to track social shares made at our website. Google automatically collect and store certain information in their server logs which includes device event information such as crashes, system activity, hardware settings, browser type, browser language, the date and time of your request and referral URL, cookies that may uniquely identify your browser or your Google Account, in accordance with their data privacy policy: https://policies.google.com/privacy

    Facebook Like, Facebook Recommend, Facebook Share official buttons:

    We embed a Facebook widget to allow you to see number of likes/shares/recommends and “like/share/recommend” our webpages. This widget may collect your IP address, your web browser User Agent, store and retrieve cookies on your browser, embed additional tracking, and monitor your interaction with the widget, including correlating your Facebook account with whatever action you take within the widget (such as “liking/sharing/recommending” our webpage), if you are logged in to Facebook. For more information about how this data may be used, please see Facebook’s data privacy policy: https://www.facebook.com/about/privacy/update

    Twitter Tweet official button:

    We use a Twitter Tweet widget at our website. As a result, our website makes requests to Twitter’s servers for you to be able to tweet our webpages using your Twitter account. These requests make your IP address visible to Twitter, who may use it in accordance with their data privacy policy: https://twitter.com/en/privacy#update

    GooglePlus, GooglePlus Share official buttons:

    We use a GooglePlus widget at our website. As a result, our website makes requests to Google’s servers for you to be able to share our webpages using your GooglePlus account. These requests make your IP address visible to Google, who may use it in accordance with their data privacy policy: https://policies.google.com/privacy

    Linkedin Share official button:

    We use a Linkedin Share widget at our website to allow you to share our webpages on Linkedin. These requests may track your IP address in accordance with their data privacy policy: https://www.linkedin.com/legal/privacy-policy

    Pinterest Save official button:

    We use Pinterest Save widget at our website to allow you to pin images to Pinterest from our webpages. These requests may track your IP address in accordance with their data privacy policy: https://policy.pinterest.com/en/privacy-policy

    Buffer official button:

    We use Buffer widget at our website to allow you to add our webpages to your Buffer account, which collects log data from your browser. This Log Data may include information such as your IP address, browser type or the domain at which you are interacting with the widget, in accordance with their privacy policy: https://buffer.com/privacy

    Xing Share official button:

    We use Xing Share widget at our website to allow you to share our webpages on Xing and this let Xing collate data about you automatically by means of tracking, in accordance with their privacy policy: https://privacy.xing.com/en/privacy-policy

    Reddit Badge official button:

    We use Reddit Badge widget at our website which may log information when you interact with the widget. This may include your IP address, user-agent string, browser type, operating system, referral URLs, device information (e.g., device IDs), pages visited, links clicked, user interactions (e.g., voting data), the requested URL and hardware settings, in accordance with their privacy policy: https://www.redditinc.com/policies/privacy-policy

    StumbleUpon Badge official button:

    We use StumbleUpon Badge widget at our website which may log information when you interact with the widget. Log Data is a form of Non-Identifying Information, in accordance with their privacy policy: http://www.stumbleupon.com/privacy

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change?

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change?

    Using Fbomatic plugin for WordPress, you can easily import posts from groups you are administrator of, to WordPress. Check it out here: https://1.envato.market/fbomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #facebook #groups #posts

    How to get you Facebook app approved after the April/May 2018 Facebook app restrictions?

    In this video you can learn about how you can get your Facebook app approved after the April/May 2018 Facebook restrictions that were applied to the Facebook public API

    Get FBomatic here: https://1.envato.market/fbomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    #facebook #facebookapi #facebookapp

    To your success,
    Szabi – CodeRevolution.

    Imageomatic Automatic Post Generator plugin update – display imported images in one page

    Imageomatic Automatic Post Generator plugin update – display imported images in one page. Using this new feature, you will be able to list imported images in one single page, allowing you to create superb presentation pages for imported content.
    Check it out now: https://1.envato.market/imageomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    New update for Kronos Automatic Post Expirator plugin – automatically refresh post publish times

    New update for Kronos Automatic Post Expirator plugin – automatically refresh post publish times – using this feature you will be able to refresh old posts, making them to look like they were published seconds ago.

    Plugin URL: https://1.envato.market/kronos

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How do I find my item’s purchase code (for plugin license activation)?

    I made a Pinterest App but the status says before it is approve, it needs another collaborator to authorize the App. What does this mean?

    This message is added to Pinterest App settings because a recently added security feature for Pinterest apps.

    You can ignore the ‘You still need at least 1 collaborator to authorize your app before you can submit.’ message in Pinterest App settings, because this will not affect the functionality of the plugin.

    Please follows the plugin’s tutorial video, everything should work as before: https://www.youtube.com/watch?v=WB4Dve21_RQ

    Linkedinomatic Automatic Post Generator and LinkedIn Auto Poster Plugin for WordPress (Old Version)

    Linkedinomatic Automatic Post Generator and LinkedIn Auto Poster Plugin for WordPress is a breaking edge LinkedIn To WordPress post importer plugin that is ideal for autoblogging. It uses the LinkedIn API to turn your website into a autoblogging or even a money making machine!

    It can import content from LinkedIn company pages you are administrator of.
    It can also automatically post to your LinkedIn profile or to your LinkedIn company pages, each time you publish a new post on WordPress.

    Give it a try now! https://1.envato.market/linkedinomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Fbomatic plugin not importing content from Facebook – error: Access to this data is temporarily disabled for non-active accounts due to changes we are making to the Facebook Platform

    STATUS OF ISSUE AT FACEBOOK: https://developers.facebook.com/status/issues/205942813488872/

    DETAILED CHANGES: https://developers.facebook.com/blog/post/2018/04/04/facebook-api-platform-product-changes/

    MORE DETAILS ABOUT THE ISSUE:

    Error: (#200) Access to this data is temporarily disabled for non-active accounts due to changes we are making to the Facebook Platform

    IMPORTANT NOTICE:
    Due to latest changes made by Facebook in their API, most of the newly created Apps won’t be authorized from start and will need manual review by Facebook, for them to get any data from Facebook. This is the reason why some of our customers who purchased our Fbomatic plugin recently, and created Facebook apps, are not able to import content using the plugin.

    Unfortunately, this is out of our control and we will need to wait for Facebook’s changes and announcements about the data access permission. More official announcement by the Facebook here: https://newsroom.fb.com/news/2018/03/cracking-down-on-platform-abuse/

    What is this issue about?
    This error is due to recent actions taken by Facebook. They are telling us: ”Access to certain types of API data is paused for non-active accounts due to changes we are making to the Facebook Platform”.  So if your account is non-active and you have created App using it then it might possible you get this error in your plugin.  Facebook Issue link is here.

    Why did Facebook do this?

    Cambridge University researcher named Aleksandr Kogan had used an app to extract the information of more than 50 million people, and then transferred it to Cambridge Analytica for commercial and political use.
    So Facebook is changing its policies so that the personal data could be made more secure – they are working on this right now.

    Please read the article “Mark Zuckerberg apologises for Facebook’s ‘mistakes’ over Cambridge Analytica” :

    Here is Mark Zuckerberg’s statement post about the same isue.

    When it will be resolved?
    Facebook has temporarily disabled some non-active accounts. Also, they mentioned that they haven’t given any estimated time to fix this issue but let’s hope things should get re-activated soon.

    What to do now?

    Unfortunately, Facebook has temporary blocked your app. Not only yours, but everybody’s App. We expect that this issue will be resolved soon. So, users facing this issue need to wait until further official updates get released from Facebook.

    You can also check the status of this issue here.

    TMomatic TicketMaster Affiliate Post Generator Plugin for WordPress

    TMomatic TicketMaster Affiliate Post Generator Plugin for WordPress will generate posts from upcoming events searched in a predefined area or by a predefined keyword. Also, ticket sales will generate you affiliate income, if you fill in your affiliate ID, when creating your API account. Tickets will be purchasable from TicketMaster. Give the plugin a try! https://1.envato.market/tmomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    What are the Google Trends category/subcategory listings IDs?

    Sub-lists are sub-categories (or children) of the parent list

    This list was formatted from the following query:https://trends.google.com/trends/api/explore/pickers/category?hl=en-US&tz=240

    <Category>: <id>

    • All categories: 0
      • Arts & Entertainment: 3
        • Celebrities & Entertainment News: 184
        • Comics & Animation: 316
          • Animated Films: 1104
          • Anime & Manga: 317
          • Cartoons: 319
          • Comics: 318
        • Entertainment Industry: 612
          • Film & TV Industry: 1116
            • Film & TV Awards: 1108
            • Film & TV Production: 1117
          • Recording Industry: 1115
            • Music Awards: 1113
            • Record Labels: 1114
        • Events & Listings: 569
          • Clubs & Nightlife: 188
          • Concerts & Music Festivals: 891
          • Film Festivals: 1086
          • Live Sporting Events: 1273
          • Movie Listings & Theater Showtimes: 1085
          • Ticket Sales: 614
        • Fun & Trivia: 539
          • Dress-Up & Fashion Games: 1173
          • Flash-Based Entertainment: 447
          • Fun Tests & Silly Surveys: 1174
        • Humor: 182
          • Comedy Films: 1095
          • Live Comedy: 895
          • Political Humor: 1180
          • Spoofs & Satire: 1244
          • TV Comedies: 1047
        • Movies: 34
          • Action & Adventure Films: 1097
            • Martial Arts Films: 1101
            • Superhero Films: 1100
            • Western Films: 1099
          • Animated Films: 1104
          • Bollywood & South Asian Film: 360
          • Classic Films: 1102
            • Silent Films: 1098
          • Comedy Films: 1095
          • Cult & Indie Films: 1103
          • Documentary Films: 1072
          • Drama Films: 1094
          • DVD & Video Shopping: 210
            • DVD & Video Rentals: 1145
          • Family Films: 1291
          • Film & TV Awards: 1108
          • Film Festivals: 1086
          • Horror Films: 615
          • Movie Memorabilia: 213
          • Movie Reference: 1106
            • Movie Reviews & Previews: 1107
          • Musical Films: 1105
          • Romance Films: 1310
          • Science Fiction & Fantasy Films: 616
          • Thriller, Crime & Mystery Films: 1096
        • Music & Audio: 35
          • CD & Audio Shopping: 217
          • Classical Music: 586
            • Opera: 1185
          • Country Music: 587
          • Dance & Electronic Music: 588
          • Experimental & Industrial Music: 1022
          • Folk & Traditional Music: 1023
          • Jazz & Blues: 589
            • Blues: 1040
            • Jazz: 42
          • Latin Pop: 1285
          • Music Art & Memorabilia: 218
          • Music Education & Instruction: 1087
          • Music Equipment & Technology: 1024
            • DJ Resources & Equipment: 1025
            • Music Recording Technology: 1026
            • Musical Instruments: 216
              • Drums & Percussion: 1327
              • Guitars: 1325
              • Pianos & Keyboards: 1326
            • Samples & Sound Libraries: 1091
          • Music Reference: 1027
            • Music Composition & Theory: 1028
            • Sheet Music: 892
            • Song Lyrics & Tabs: 617
          • Music Streams & Downloads: 220
          • Pop Music: 1021
          • Radio: 215
            • Podcasting: 809
            • Talk Radio: 1186
          • Religious Music: 1020
            • Christian & Gospel Music: 585
          • Rock Music: 590
            • Classic Rock & Oldies: 1037
            • Hard Rock & Progressive: 1035
            • Indie & Alternative Music: 1038
            • Metal (Music): 1036
            • Punk (Music): 1041
          • Soundtracks: 893
          • Urban & Hip-Hop: 592
            • Rap & Hip-Hop: 1030
            • Reggaeton: 1242
            • Soul & R&B: 1039
          • Vocals & Show Tunes: 618
          • World Music: 593
            • African Music: 1208
            • Arab & Middle Eastern Music: 1034
            • East Asian Music: 1033
            • Latin American Music: 591
              • Brazilian Music: 1287
              • Latin Pop: 1285
              • Reggaeton: 1242
              • Salsa & Tropical Music: 1286
            • Reggae & Caribbean Music: 1031
              • Reggaeton: 1242
            • South Asian Music: 1032
        • Offbeat: 33
          • Edgy & Bizarre: 538
          • Occult & Paranormal: 449
        • Online Media: 613
          • Flash-Based Entertainment: 447
          • Music Streams & Downloads: 220
          • Online Games: 105
            • Massive Multiplayer: 935
          • Online Image Galleries: 1222
            • Photo & Image Sharing: 978
            • Photo Rating Sites: 320
            • Stock Photography: 574
          • Online Video: 211
            • Video Sharing: 979
          • Web Portals: 301
          • Webcams & Virtual Tours: 575
        • Performing Arts: 23
          • Acting & Theater: 894
          • Broadway & Musical Theater: 1243
          • Dance: 581
          • Opera: 1185
        • TV & Video: 36
          • Online Video: 211
            • Video Sharing: 979
          • TV Commercials: 1055
          • TV Guides & Reference: 1187
          • TV Networks & Stations: 359
          • TV Shows & Programs: 358
            • TV Comedies: 1047
            • TV Dramas: 1193
              • TV Crime & Legal Shows: 1111
              • TV Medical Shows: 1194
              • TV Soap Operas: 357
            • TV Family-Oriented Shows: 1110
            • TV Game Shows: 1050
            • TV Reality Shows: 1049
            • TV Sci-Fi & Fantasy Shows: 1112
            • TV Talk Shows: 1048
        • Visual Art & Design: 24
          • Architecture: 477
          • Art & Craft Supplies: 1361
          • Arts Education: 1195
          • Design: 653
            • CAD & CAM: 1300
            • Graphic Design: 654
            • Industrial & Product Design: 655
            • Interior Design: 656
          • Painting: 1167
          • Photographic & Digital Arts: 439
            • Camera & Photo Equipment: 573
              • Binoculars, Telescopes & Optical Devices: 1384
              • Cameras & Camcorders: 306
                • Camcorders: 308
                • Camera Lenses: 1383
                • Cameras: 307
            • Photo & Video Software: 577
              • Video File Formats & Codecs: 1315
      • Autos & Vehicles: 47
        • Automotive Industry: 1190
        • Bicycles & Accessories: 1191
        • Boats & Watercraft: 1140
        • Campers & RVs: 1213
        • Classic Vehicles: 1013
        • Commercial Vehicles: 1214
          • Cargo Trucks & Trailers: 1215
        • Custom & Performance Vehicles: 806
        • Hybrid & Alternative Vehicles: 810
          • Electric & Plug-In Vehicles: 1380
        • Microcars & City Cars: 1317
        • Motorcycles: 273
        • Off-Road Vehicles: 148
        • Personal Aircraft: 1147
        • Scooters & Mopeds: 1212
        • Trucks & SUVs: 610
          • SUVs: 1057
          • Trucks: 1056
          • Vans & Minivans: 1058
        • Vehicle Brands: 815
          • Acura: 820
          • Audi: 821
          • Bentley: 1059
          • BMW: 822
          • Buick: 1060
          • Cadillac: 823
          • Chevrolet: 826
          • Chrysler: 833
          • Citroën: 834
          • Dodge: 836
          • Ferrari: 1061
          • Fiat: 838
          • Ford: 840
          • GM-Daewoo: 896
          • GMC: 842
          • Honda: 843
          • Hummer: 1062
          • Hyundai: 845
          • Isuzu: 1378
          • Jaguar: 1063
          • Jeep: 846
          • Kia: 848
          • Lamborghini: 1064
          • Land Rover: 1065
          • Lexus: 849
          • Lincoln: 850
          • Maserati: 1066
          • Mazda: 851
          • Mercedes-Benz: 852
          • Mercury: 853
          • Mini: 1067
          • Mitsubishi: 854
          • Nissan: 855
            • Infiniti: 1377
          • Peugeot: 856
          • Pontiac: 857
          • Porsche: 858
          • Renault-Samsung: 859
          • Rolls-Royce: 1068
          • Saab: 897
          • Saturn: 860
          • Subaru: 861
          • Suzuki: 1070
          • Toyota: 863
            • Scion: 1069
          • Vauxhall-Opel: 898
          • Volkswagen: 865
          • Volvo: 867
        • Vehicle Codes & Driving Laws: 1294
          • Drunk Driving Law: 968
        • Vehicle Licensing & Registration: 170
        • Vehicle Maintenance: 138
        • Vehicle Parts & Accessories: 89
          • Auto Exterior: 1217
          • Auto Interior: 1218
          • Car Electronics: 1188
            • Car Audio: 230
            • Car Video: 1189
            • GPS & Navigation: 794
          • Engine & Transmission: 1216
          • Vehicle Fuels & Lubricants: 1269
          • Vehicle Wheels & Tires: 438
        • Vehicle Shopping: 473
          • Fuel Economy & Gas Prices: 1268
          • Vehicle Specs, Reviews & Comparisons: 1267
        • Vehicle Shows: 803
      • Beauty & Fitness: 44
        • Beauty Pageants: 1219
        • Body Art: 239
        • Cosmetic Procedures: 1220
          • Cosmetic Surgery: 238
        • Cosmetology & Beauty Professionals: 147
        • Face & Body Care: 143
          • Hygiene & Toiletries: 244
          • Make-Up & Cosmetics: 234
          • Perfumes & Fragrances: 242
          • Skin & Nail Care: 93
          • Unwanted Body & Facial Hair Removal: 144
        • Fashion & Style: 185
          • Fashion Designers & Collections: 98
          • Fashion Modeling: 1155
        • Fitness: 94
          • Bodybuilding: 241
          • Yoga & Pilates: 611
        • Hair Care: 146
          • Hair Loss: 235
        • Spas & Beauty Services: 145
          • Massage Therapy: 557
        • Weight Loss: 236
      • Books & Literature: 22
        • Biographies & Quotations: 690
        • Book Retailers: 355
        • Children’s Literature: 1183
        • E-Books: 608
        • Fan Fiction: 540
        • Literary Classics: 1184
        • Magazines: 412
        • Poetry: 565
        • Writers Resources: 1177
      • Business & Industrial: 12
        • Advertising & Marketing: 25
          • Marketing Services: 83
            • Loyalty Cards & Programs: 1309
          • Public Relations: 327
          • Search Engine Optimization & Marketing: 84
          • Telemarketing: 328
        • Aerospace & Defense: 356
          • Defense Industry: 669
          • Space Technology: 668
        • Agriculture & Forestry: 46
          • Agricultural Equipment: 748
          • Aquaculture: 747
          • Crops & Seed: 749
          • Food Production: 621
          • Forestry: 750
          • Horticulture: 751
          • Livestock: 752
        • Automotive Industry: 1190
        • Business Education: 799
        • Business Finance: 1138
          • Commercial Lending: 1160
          • Investment Banking: 1139
          • Risk Management: 620
          • Venture Capital: 905
        • Business News: 784
          • Company News: 1179
            • Company Earnings: 1240
            • Mergers & Acquisitions: 1241
          • Economy News: 1164
          • Financial Markets: 1163
          • Fiscal Policy News: 1165
        • Business Operations: 1159
          • Business Plans & Presentations: 336
          • Human Resources: 157
            • Compensation & Benefits: 723
            • Corporate Training: 331
            • Payroll Services: 724
            • Recruitment & Staffing: 330
          • Management: 338
            • Business Process: 721
            • Project Management: 1360
              • Project Management Software: 1359
            • Strategic Planning: 722
            • Supply Chain Management: 801
        • Business Services: 329
          • Advertising & Marketing: 25
            • Marketing Services: 83
              • Loyalty Cards & Programs: 1309
            • Public Relations: 327
            • Search Engine Optimization & Marketing: 84
            • Telemarketing: 328
          • Consulting: 1162
          • Corporate Events: 334
            • Trade Shows & Conventions: 335
          • E-Commerce Services: 340
            • Merchant Services & Payment Systems: 280
          • Fire & Security Services: 726
          • Knowledge Management: 800
          • Office Services: 28
            • Office & Facilities Management: 337
          • Office Supplies: 95
            • Business Cards & Stationary: 1375
            • Office Furniture: 333
            • Printers, Copiers & Fax: 1330
              • Copiers: 1331
              • Fax Machines: 1332
              • Ink & Toner: 1333
              • Printers: 494
              • Scanners: 495
          • Outsourcing: 718
          • Photo & Video Services: 576
            • Stock Photography: 574
          • Physical Asset Management: 719
          • Quality Control & Tracking: 720
          • Signage: 1076
          • Writing & Editing Services: 725
        • Chemicals Industry: 288
          • Agrochemicals: 670
          • Cleaning Agents: 671
          • Coatings & Adhesives: 672
          • Dyes & Pigments: 673
          • Plastics & Polymers: 674
        • Construction & Maintenance: 48
          • Building Materials & Supplies: 650
            • Doors & Windows: 827
            • HVAC & Climate Control: 828
            • Nails Screws & Fasteners: 829
            • Plumbing Fixtures & Equipment: 830
            • Wood & Plastics: 831
          • Civil Engineering: 651
          • Construction Consulting & Contracting: 652
          • Urban & Regional Planning: 686
        • Energy & Utilities: 233
          • Electricity: 658
          • Nuclear Energy: 954
          • Oil & Gas: 659
            • Vehicle Fuels & Lubricants: 1269
          • Renewable & Alternative Energy: 657
          • Waste Management: 660
            • Recycling: 1307
          • Water Supply & Treatment: 1349
        • Enterprise Technology: 77
          • Customer Relationship Management (CRM): 341
          • Data Management: 343
          • E-Commerce Services: 340
            • Merchant Services & Payment Systems: 280
          • Enterprise Resource Planning (ERP): 342
        • Entertainment Industry: 612
          • Film & TV Industry: 1116
            • Film & TV Awards: 1108
            • Film & TV Production: 1117
          • Recording Industry: 1115
            • Music Awards: 1113
            • Record Labels: 1114
        • Hospitality Industry: 955
          • Event Planning: 956
          • Food Service: 957
            • Grocery & Food Retailers: 121
            • Restaurant Supply: 816
        • Industrial Materials & Equipment: 287
          • Fluid Handling: 1152
            • Valves Hoses & Fittings: 839
          • Generators: 835
          • Heavy Machinery: 837
        • Manufacturing: 49
          • Factory Automation: 661
        • Metals & Mining: 606
        • Pharmaceuticals & Biotech: 255
        • Printing & Publishing: 1176
          • Document & Printing Services: 332
            • Business Cards & Stationary: 1375
          • Journalism & News Industry: 1204
        • Professional & Trade Associations: 1199
        • Retail Trade: 841
          • Retail Equipment & Technology: 844
        • Small Business: 551
          • Business Formation: 1200
          • Home Office: 727
          • MLM & Business Opportunities: 552
        • Textiles & Nonwovens: 566
        • Transportation & Logistics: 50
          • Aviation: 662
          • Distribution & Logistics: 664
          • Freight & Trucking: 289
            • Cargo Trucks & Trailers: 1215
          • Import & Export: 354
          • Mail & Package Delivery: 1150
            • Couriers & Messengers: 663
          • Maritime Transport: 665
          • Moving & Relocation: 291
          • Packaging: 290
          • Parking: 1306
            • Airport Parking & Transportation: 1245
          • Public Storage: 1347
          • Rail Transport: 666
          • Urban Transport: 667
      • Computers & Electronics: 5
        • CAD & CAM: 1300
        • Computer Hardware: 30
          • Computer Components: 717
            • Chips & Processors: 741
            • Computer Memory: 226
            • Sound & Video Cards: 740
          • Computer Drives & Storage: 496
            • CD & DVD Drives & Burners: 1321
            • CD & DVD Storage Media: 1322
            • Computer Memory: 226
            • Data Backup & Recovery: 1323
            • Flash Drives & Memory Cards: 1318
            • Hard Drives: 1320
            • Memory Card Readers: 1319
            • Network Storage: 729
          • Computer Peripherals: 312
            • Computer Monitors & Displays: 487
            • Input Devices: 493
            • Printers, Copiers & Fax: 1330
              • Copiers: 1331
              • Fax Machines: 1332
              • Ink & Toner: 1333
              • Printers: 494
              • Scanners: 495
          • Computer Servers: 728
          • Desktop Computers: 309
          • Hardware Modding & Tuning: 739
          • Laptops & Notebooks: 310
            • Tablet PCs: 1277
        • Computer Security: 314
          • Antivirus & Malware: 315
          • Network Security: 344
        • Consumer Electronics: 78
          • Audio Equipment: 361
            • Headphones: 1396
            • MP3 & Portable Media Players: 227
            • Speakers: 1158
            • Stereo Systems & Components: 91
          • Camera & Photo Equipment: 573
            • Binoculars, Telescopes & Optical Devices: 1384
            • Cameras & Camcorders: 306
              • Camcorders: 308
              • Camera Lenses: 1383
              • Cameras: 307
          • Car Electronics: 1188
            • Car Audio: 230
            • Car Video: 1189
            • GPS & Navigation: 794
          • Electronic Accessories: 1192
          • Gadgets & Portable Electronics: 362
            • E-Book Readers: 1324
            • Handheld Game Consoles: 1046
            • MP3 & Portable Media Players: 227
            • PDAs & Handhelds: 228
          • Game Systems & Consoles: 899
            • Handheld Game Consoles: 1046
            • Nintendo: 1043
            • Sony PlayStation: 1044
            • Xbox: 1045
          • GPS & Navigation: 794
          • TV & Video Equipment: 229
            • DVRs & Set-Top Boxes: 1393
            • Home Theater Systems: 1157
            • Projectors & Screens: 1334
            • Televisions: 305
              • HDTVs: 1354
              • LCD TVs: 1356
              • Plasma TVs: 1355
              • Projection TVs: 1357
            • Video Players & Recorders: 492
              • Blu-Ray Players & Recorders: 1394
              • DVD Players & Recorders: 1395
        • Electronics & Electrical: 434
          • Data Sheets & Electronics Reference: 900
          • Electromechanical Devices: 743
          • Electronic Components: 742
          • Optoelectronics & Fiber: 744
          • Power Supplies: 745
          • Test & Measurement: 746
        • Enterprise Technology: 77
          • Customer Relationship Management (CRM): 341
          • Data Management: 343
          • E-Commerce Services: 340
            • Merchant Services & Payment Systems: 280
          • Enterprise Resource Planning (ERP): 342
        • Networking: 311
          • Data Formats & Protocols: 488
          • Distributed & Parallel Computing: 1298
          • Network Monitoring & Management: 347
          • Networking Equipment: 346
          • VPN & Remote Access: 1279
        • Programming: 31
          • C & C++: 731
          • Developer Jobs: 802
          • Development Tools: 730
          • Java: 732
          • Scripting Languages: 733
          • Windows & .NET: 734
        • Software: 32
          • Business & Productivity Software: 498
            • Accounting & Financial Software: 1341
            • Calendar & Scheduling Software: 1358
            • Presentation Software: 1346
            • Project Management Software: 1359
            • Spreadsheet Software: 1344
            • Word Processing Software: 1345
          • Device Drivers: 225
          • Educational Software: 804
          • Freeware & Shareware: 901
          • Internet Software: 807
            • Content Management: 808
            • Internet Clients & Browsers: 304
            • Proxying & Filtering: 902
          • Mobile Apps & Add-Ons: 1109
            • Ringtones & Mobile Goodies: 532
          • Multimedia Software: 497
            • Audio & Music Software: 1089
              • Audio Files Formats & Codecs: 1092
            • Desktop Publishing: 1088
              • Fonts: 805
            • Graphics & Animation Software: 486
            • Media Players: 1090
            • Photo & Video Software: 577
              • Video File Formats & Codecs: 1315
          • Open Source: 313
          • Operating Systems: 303
            • Linux & Unix: 736
            • Mac OS: 735
            • Mobile OS: 1382
            • Windows OS: 737
          • Software Utilities: 224
          • Web Apps & Online Tools: 1142
        • Technical Support: 567
        • Technology News: 785
      • Finance: 7
        • Accounting & Auditing: 278
          • Accounting & Financial Software: 1341
          • Tax Preparation & Planning: 1283
        • Banking: 37
        • Credit & Lending: 279
          • Auto Financing: 468
          • College Financing: 813
          • Credit Cards: 811
          • Debt Management: 812
          • Home Financing: 466
        • Currencies & Foreign Exchange: 814
        • Financial Planning: 903
        • Grants & Financial Assistance: 1282
          • College Financing: 813
        • Insurance: 38
          • Auto Insurance: 467
          • Health Insurance: 249
          • Home Insurance: 465
        • Investing: 107
          • Commodities & Futures Trading: 904
        • Retirement & Pension: 619
      • Food & Drink: 71
        • Alcoholic Beverages: 277
          • Beer: 404
          • Liquor: 406
          • Wine: 405
        • Candy & Sweets: 906
        • Cooking & Recipes: 122
          • Baked Goods: 907
          • Fruits & Vegetables: 908
          • Meat & Seafood: 909
          • Soups & Stews: 910
          • Vegetarian Cuisine: 825
          • World Cuisines: 911
            • Asian Cuisine: 912
            • Latin American Cuisine: 913
            • Mediterranean Cuisine: 914
            • North American Cuisine: 915
        • Culinary Training: 297
        • Grocery & Food Retailers: 121
        • Non-Alcoholic Beverages: 560
          • Coffee & Tea: 916
        • Restaurants: 276
          • Dining Guides: 917
          • Fast Food: 918
          • Restaurant Supply: 816
      • Games: 8
        • Arcade & Coin-Op Games: 919
        • Board Games: 920
          • Chess & Abstract Strategy Games: 921
          • Miniatures & Wargaming: 922
        • Card Games: 39
          • Collectible Card Games: 923
          • Poker & Casino Games: 924
        • Computer & Video Games: 41
          • Action & Platform Games: 1311
          • Adventure Games: 925
          • Casual Games: 926
          • Driving & Racing Games: 927
          • Fighting Games: 928
          • Game Systems & Consoles: 899
            • Handheld Game Consoles: 1046
            • Nintendo: 1043
            • Sony PlayStation: 1044
            • Xbox: 1045
          • Gaming Media & Reference: 1343
            • Game Cheats & Hints: 381
          • Music & Dance Games: 929
          • Shooter Games: 930
          • Simulation Games: 931
          • Sports Games: 932
          • Strategy Games: 933
          • Video Game Emulation: 1342
          • Video Game Retailers: 1146
        • Family-Oriented Games & Activities: 1290
          • Drawing & Coloring: 1397
          • Dress-Up & Fashion Games: 1173
        • Online Games: 105
          • Massive Multiplayer: 935
        • Party Games: 936
        • Puzzles & Brainteasers: 937
        • Roleplaying Games: 622
        • Table Games: 938
          • Billiards: 939
          • Table Tennis: 940
      • Health: 45
        • Aging & Geriatrics: 623
          • Alzheimer’s Disease: 624
        • Alternative & Natural Medicine: 499
          • Acupuncture & Chinese Medicine: 1239
          • Cleansing & Detoxification: 1238
        • Health Conditions: 419
          • AIDS & HIV: 625
          • Allergies: 626
          • Arthritis: 628
          • Cancer: 429
          • Cold & Flu: 629
          • Diabetes: 630
          • Ear Nose & Throat: 1211
          • Eating Disorders: 571
          • Endocrine Conditions: 1328
            • Diabetes: 630
            • Thyroid Conditions: 1329
          • Genetic Disorders: 941
          • GERD & Digestive Disorders: 638
          • Heart & Hypertension: 559
          • Infectious Diseases: 632
            • Cold & Flu: 629
            • Parasites & Parasitic Diseases: 1262
            • Sexually Transmitted Diseases: 421
              • AIDS & HIV: 625
            • Vaccines & Immunizations: 1263
          • Injury: 817
          • Neurological Disorders: 942
            • Alzheimer’s Disease: 624
          • Obesity: 818
          • Pain Management: 819
            • Headaches & Migraines: 631
          • Respiratory Conditions: 824
            • Asthma: 627
          • Skin Conditions: 420
          • Sleep Disorders: 633
        • Health Education & Medical Training: 254
        • Health Foundations & Medical Research: 252
        • Health News: 1253
          • Health Policy: 1256
        • Medical Devices & Equipment: 251
          • Assistive Technology: 1352
            • Mobility Equipment & Accessories: 1353
        • Medical Facilities & Services: 256
          • Doctors’ Offices: 634
          • Hospitals & Treatment Centers: 250
          • Medical Procedures: 635
            • Medical Tests & Exams: 943
            • Surgery: 944
              • Cosmetic Surgery: 238
            • Vaccines & Immunizations: 1263
          • Physical Therapy: 500
        • Medical Literature & Resources: 253
          • Medical Photos & Illustration: 945
        • Men’s Health: 636
          • Erectile Dysfunction: 202
        • Mental Health: 437
          • Anxiety & Stress: 639
          • Depression: 640
          • Learning & Developmental Disabilities: 641
            • ADD & ADHD: 642
        • Nursing: 418
          • Assisted Living & Long Term Care: 649
        • Nutrition: 456
          • Special & Restricted Diets: 457
            • Cholesterol Issues: 643
          • Vitamins & Supplements: 237
        • Oral & Dental Care: 245
        • Pediatrics: 645
        • Pharmacy: 248
          • Drugs & Medications: 646
        • Public Health: 947
          • Health Policy: 1256
          • Occupational Health & Safety: 644
          • Poisons & Overdoses: 946
          • Vaccines & Immunizations: 1263
        • Reproductive Health: 195
          • Birth Control: 198
          • Erectile Dysfunction: 202
          • Infertility: 647
          • OBGYN: 558
            • Pregnancy & Maternity: 401
          • Sex Education & Counseling: 536
          • Sexual Enhancement: 1236
          • Sexually Transmitted Diseases: 421
            • AIDS & HIV: 625
        • Substance Abuse: 257
          • Drug & Alcohol Testing: 1351
          • Drug & Alcohol Treatment: 1350
          • Smoking & Smoking Cessation: 1237
          • Steroids & Performance-Enhancing Drugs: 1235
        • Vision Care: 246
          • Eyeglasses & Contacts: 1224
        • Women’s Health: 648
          • OBGYN: 558
            • Pregnancy & Maternity: 401
      • Hobbies & Leisure: 65
        • Antiques & Collectibles: 64
        • Bowling: 1016
        • Clubs & Nightlife: 188
        • Clubs & Organizations: 189
        • Contests, Awards & Prizes: 1276
          • Film & TV Awards: 1108
          • Lottery & Sweepstakes: 364
        • Crafts: 284
          • Fiber & Textile Arts: 1230
        • Cycling: 458
          • Bicycles & Accessories: 1191
        • Outdoors: 688
          • Equestrian: 568
          • Fishing: 462
          • Hiking & Camping: 542
          • Hunting & Shooting: 461
        • Paintball: 786
        • Pets & Animals: 66
          • Animal Products & Services: 882
            • Animal Welfare: 883
            • Pet Food & Supplies: 379
            • Veterinarians: 380
          • Pets: 563
            • Birds: 884
            • Cats: 885
            • Dogs: 886
            • Exotic Pets: 607
            • Fish & Aquaria: 887
            • Horses: 888
            • Rabbits & Rodents: 889
            • Reptiles & Amphibians: 890
          • Wildlife: 119
            • Insects & Entomology: 1278
            • Zoos-Aquariums-Preserves: 1009
        • Photographic & Digital Arts: 439
          • Camera & Photo Equipment: 573
            • Binoculars, Telescopes & Optical Devices: 1384
            • Cameras & Camcorders: 306
              • Camcorders: 308
              • Camera Lenses: 1383
              • Cameras: 307
          • Photo & Video Software: 577
            • Video File Formats & Codecs: 1315
        • Radio Control & Modeling: 787
        • Recreational Aviation: 999
          • Personal Aircraft: 1147
        • Running & Walking: 541
        • Special Occasions: 977
          • Gifts & Special Event Items: 70
            • Cards & Greetings: 100
            • Flowers: 323
            • Gifts: 99
            • Party & Holiday Supplies: 324
          • Holidays & Seasonal Events: 678
            • Birthdays & Name Days: 1270
            • Carnival & Mardi Gras: 1246
            • Christian Holidays: 1274
              • Christmas: 1078
              • Easter: 1123
            • Halloween & October 31st: 1079
            • Islamic Holidays: 1275
            • Jewish Holidays: 1124
            • New Year: 1271
            • Thanksgiving: 1125
            • Valentine’s Day: 1122
          • Weddings: 293
        • Subcultures & Niche Interests: 502
          • Goth Subculture: 503
          • Science Fiction & Fantasy: 676
        • Water Activities: 1002
          • Boating: 459
            • Boats & Watercraft: 1140
          • Diving & Underwater Activities: 1305
          • Surf & Swim: 689
          • Water Sports: 118
      • Home & Garden: 11
        • Bed & Bath: 948
          • Bathroom: 1365
          • Bedroom: 1366
            • Bedding & Bed Linens: 1369
            • Beds & Headboards: 1367
            • Mattresses: 1368
        • Domestic Services: 472
          • Cleaning Supplies & Services: 949
        • Gardening & Landscaping: 269
        • Home Appliances: 271
          • Major Kitchen Appliances: 1293
          • Small Kitchen Appliances: 1292
          • Water Filters & Purifiers: 1371
        • Home Furnishings: 270
          • Clocks: 1363
          • Lamps & Lighting: 272
          • Rugs & Carpets: 1362
          • Sofas & Chairs: 1370
        • Home Improvement: 158
          • Construction & Power Tools: 950
          • Doors & Windows: 827
          • Flooring: 832
            • Rugs & Carpets: 1362
          • House Painting & Finishing: 1232
          • HVAC & Climate Control: 828
          • Plumbing: 1153
          • Roofing: 1175
        • Home Storage & Shelving: 1348
        • Homemaking & Interior Decor: 137
        • HVAC & Climate Control: 828
        • Kitchen & Dining: 951
          • Cookware & Diningware: 120
            • Cutlery & Cutting Accessories: 1373
          • Major Kitchen Appliances: 1293
          • Small Kitchen Appliances: 1292
        • Laundry: 1364
        • Nursery & Playroom: 1372
        • Pest Control: 471
        • Swimming Pools & Spas: 952
        • Yard & Patio: 953
      • Internet & Telecom: 13
        • Communications Equipment: 385
          • Radio Equipment: 1182
        • Email & Messaging: 394
          • Microblogging: 1381
          • Text & Instant Messaging: 1379
          • Voice & Video Chat: 386
        • Mobile & Wireless: 382
          • Mobile & Wireless Accessories: 1171
            • Bluetooth Accessories: 1170
          • Mobile Apps & Add-Ons: 1109
            • Ringtones & Mobile Goodies: 532
          • Mobile OS: 1382
          • Mobile Phones: 390
            • Smart Phones: 1071
        • Search Engines: 485
          • People Search: 1234
        • Service Providers: 383
          • Cable & Satellite Providers: 501
          • ISPs: 104
          • Phone Service Providers: 384
            • Calling Cards: 389
        • Teleconferencing: 392
        • Web Apps & Online Tools: 1142
        • Web Portals: 301
        • Web Services: 302
          • Affiliate Programs: 326
          • Search Engine Optimization & Marketing: 84
          • Web Design & Development: 422
          • Web Hosting & Domain Registration: 53
          • Web Stats & Analytics: 675
      • Jobs & Education: 958
        • Education: 74
          • Academic Conferences & Publications: 1289
          • Alumni & Reunions: 1015
          • Arts Education: 1195
          • Business Education: 799
          • Colleges & Universities: 372
          • Distance Learning: 367
          • Early Childhood Education: 1012
          • Foreign Language Study: 1266
          • Health Education & Medical Training: 254
          • Homeschooling: 791
          • Legal Education: 792
          • Music Education & Instruction: 1087
          • Primary & Secondary Schooling (K-12): 371
          • Special Education: 1118
          • Standardized & Admissions Tests: 373
          • Study Abroad: 1308
          • Teaching & Classroom Resources: 700
          • Training & Certification: 1388
          • Vocational & Continuing Education: 369
            • Computer Education: 1229
        • Jobs: 60
          • Career Resources & Planning: 959
          • Developer Jobs: 802
          • Job Listings: 960
          • Resumes & Portfolios: 961
      • Law & Government: 19
        • Government: 76
          • Courts & Judiciary: 1075
          • Embassies & Consulates: 962
          • Executive Branch: 963
          • Government Agencies: 1387
          • Government Contracting & Procurement: 1385
          • Intelligence & Counterterrorism: 1221
          • Legislative Branch: 964
          • Lobbying: 1386
          • Multilateral Organizations: 965
          • Public Finance: 1161
          • Public Policy: 1316
            • Drug Laws & Policy: 1314
            • Fiscal Policy News: 1165
            • Health Policy: 1256
            • Immigration Policy & Border Issues: 1313
            • International Relations: 521
          • Royalty: 702
          • State & Local Government: 966
          • Visa & Immigration: 555
        • Legal: 75
          • Accident & Personal Injury Law: 427
          • Bankruptcy: 423
          • Business & Corporate Law: 1272
          • Constitutional Law & Civil Rights: 967
          • Criminal Law: 424
          • Family Law: 522
          • Intellectual Property: 426
          • Labor & Employment Law: 701
          • Legal Education: 792
          • Legal Services: 969
          • Product Liability: 970
          • Vehicle Codes & Driving Laws: 1294
            • Drunk Driving Law: 968
        • Military: 366
          • Air Force: 1247
          • Army: 1248
          • Marines: 1250
          • Military History: 1288
          • Navy: 1249
          • Veterans: 793
        • Public Safety: 166
          • Crime & Justice: 704
            • Corporate & Financial Crime: 1181
            • Gangs & Organized Crime: 1312
            • Prisons & Corrections: 1284
          • Emergency Services: 168
          • Law Enforcement: 535
            • Intelligence & Counterterrorism: 1221
          • Public Health: 947
            • Health Policy: 1256
            • Occupational Health & Safety: 644
            • Poisons & Overdoses: 946
            • Vaccines & Immunizations: 1263
          • Security Products & Services: 705
        • Social Services: 508
          • Counseling Services: 511
          • Welfare & Unemployment: 706
      • News: 16
        • Broadcast & Network News: 112
        • Business News: 784
          • Company News: 1179
            • Company Earnings: 1240
            • Mergers & Acquisitions: 1241
          • Economy News: 1164
          • Financial Markets: 1163
          • Fiscal Policy News: 1165
        • Celebrities & Entertainment News: 184
        • Gossip & Tabloid News: 507
          • Scandals & Investigations: 1259
        • Health News: 1253
          • Health Policy: 1256
        • Journalism & News Industry: 1204
        • Local News: 572
        • Newspapers: 408
        • Politics: 396
          • Campaigns & Elections: 398
          • Left-Wing Politics: 410
          • Media Critics & Watchdogs: 1203
          • Opinion & Commentary: 1201
          • Political Polls & Surveys: 1202
          • Right-Wing Politics: 409
        • Sports News: 1077
        • Technology News: 785
        • Weather: 63
        • World News: 1209
      • Online Communities: 299
        • Blogging Resources & Services: 504
          • Microblogging: 1381
        • Dating & Personals: 55
          • Matrimonial Services: 546
          • Personals: 102
          • Photo Rating Sites: 320
        • File Sharing & Hosting: 321
        • Forum & Chat Providers: 191
        • Online Goodies: 43
          • Clip Art & Animated GIFs: 1223
          • Skins Themes & Wallpapers: 578
          • Social Network Apps & Add-Ons: 847
        • Online Journals & Personal Sites: 582
        • Photo & Video Sharing: 275
          • Photo & Image Sharing: 978
          • Video Sharing: 979
        • Social Networks: 529
          • Social Network Apps & Add-Ons: 847
        • Virtual Worlds: 972
      • People & Society: 14
        • Disabled & Special Needs: 677
          • Assistive Technology: 1352
            • Mobility Equipment & Accessories: 1353
        • Ethnic & Identity Groups: 56
          • Africans & Diaspora: 579
            • African-Americans: 547
          • Arabs & Middle Easterners: 556
          • Asians & Diaspora: 1257
            • East Asians & Diaspora: 549
            • South Asians & Diaspora: 528
            • Southeast Asians & Pacific Islanders: 580
          • Discrimination & Identity Relations: 1205
          • Eastern Europeans: 682
          • Expatriate Communities: 973
          • Gay-Lesbian-Bisexual-Transgender: 113
          • Indigenous Peoples: 681
            • Native Americans: 171
          • Jewish Culture: 550
            • Jewish Holidays: 1124
          • Latinos & Latin-Americans: 548
          • Western Europeans: 683
        • Family & Relationships: 1131
          • Etiquette: 1304
          • Family: 1132
            • Ancestry & Genealogy: 400
            • Baby & Pet Names: 1231
            • Parenting: 58
              • Adoption: 974
              • Babies & Toddlers: 1374
                • Baby Care & Hygiene: 115
              • Child Care: 403
              • Pregnancy & Maternity: 401
              • Youth Camps: 402
          • Friendship: 1134
          • Marriage: 1133
            • Divorce & Separation: 1261
            • Weddings: 293
          • Romance: 1135
          • Troubled Relationships: 1260
            • Divorce & Separation: 1261
        • Kids & Teens: 154
          • Children’s Interests: 679
            • Children’s Literature: 1183
            • Family Films: 1291
            • Family-Oriented Games & Activities: 1290
              • Drawing & Coloring: 1397
              • Dress-Up & Fashion Games: 1173
            • TV Family-Oriented Shows: 1110
          • Teen Interests: 680
        • Religion & Belief: 59
          • Astrology & Divination: 448
          • Buddhism: 862
          • Christianity: 864
            • Christian Holidays: 1274
              • Christmas: 1078
              • Easter: 1123
          • Hinduism: 866
          • Islam: 868
            • Islamic Holidays: 1275
          • Judaism: 869
          • Occult & Paranormal: 449
          • Pagan & Esoteric Traditions: 1258
          • Places of Worship: 1296
          • Scientology: 1251
          • Self-Help & Motivational: 870
          • Skeptics & Non-Believers: 975
          • Spirituality: 101
          • Theology & Religious Study: 1340
        • Seniors & Retirement: 298
        • Social Issues & Advocacy: 54
          • Animal Welfare: 883
          • Charity & Philanthropy: 57
          • Discrimination & Identity Relations: 1205
          • Drug Laws & Policy: 1314
          • Environmental Issues: 82
            • Climate Change & Global Warming: 1255
          • Health Policy: 1256
          • Housing & Development: 1166
          • Human Rights & Liberties: 1280
          • Immigration Policy & Border Issues: 1313
          • Media Critics & Watchdogs: 1203
          • Poverty & Hunger: 1127
          • Privacy Issues: 1281
          • Reproductive Rights: 976
          • Same-Sex Marriage: 1301
          • Work & Labor Issues: 703
            • Labor & Employment Law: 701
            • Unions & Labor Movement: 1121
        • Social Sciences: 509
          • Communications & Media Studies: 1302
            • Public Speaking: 1303
          • Demographics: 510
          • Economics: 520
          • International Relations: 521
          • Psychology: 543
        • Subcultures & Niche Interests: 502
          • Goth Subculture: 503
          • Science Fiction & Fantasy: 676
      • Pets & Animals: 66
        • Animal Products & Services: 882
          • Animal Welfare: 883
          • Pet Food & Supplies: 379
          • Veterinarians: 380
        • Pets: 563
          • Birds: 884
          • Cats: 885
          • Dogs: 886
          • Exotic Pets: 607
          • Fish & Aquaria: 887
          • Horses: 888
          • Rabbits & Rodents: 889
          • Reptiles & Amphibians: 890
        • Wildlife: 119
          • Insects & Entomology: 1278
          • Zoos-Aquariums-Preserves: 1009
      • Real Estate: 29
        • Apartments & Residential Rentals: 378
        • Commercial & Investment Real Estate: 1178
        • Property Development: 687
        • Property Inspections & Appraisals: 463
        • Property Management: 425
        • Real Estate Agencies: 96
        • Real Estate Listings: 1080
        • Timeshares & Vacation Properties: 1081
      • Reference: 533
        • Directories & Listings: 527
          • Business & Personal Listings: 377
        • General Reference: 980
          • Biographies & Quotations: 690
          • Calculators & Reference Tools: 691
          • Dictionaries & Encyclopedias: 692
          • Educational Resources: 374
          • Forms Guides & Templates: 693
            • Legal Forms: 1137
          • How-To, DIY & Expert Content: 694
          • Public Records: 1136
          • Time & Calendars: 695
        • Geographic Reference: 1084
          • City & Local Guides: 1014
          • Maps: 268
            • Traffic & Public Transit: 685
        • Humanities: 474
          • History: 433
            • Military History: 1288
          • Myth & Folklore: 609
          • Philosophy: 1093
        • Language Resources: 108
          • Dictionaries & Encyclopedias: 692
          • Foreign Language Resources: 1264
            • Foreign Language Study: 1266
            • Translation Tools & Resources: 1265
        • Libraries & Museums: 375
        • Social Sciences: 509
          • Communications & Media Studies: 1302
            • Public Speaking: 1303
          • Demographics: 510
          • Economics: 520
          • International Relations: 521
          • Psychology: 543
        • Technical Reference: 1233
          • Data Sheets & Electronics Reference: 900
          • Technical Support: 567
      • Science: 174
        • Astronomy: 435
        • Biological Sciences: 440
          • Anatomy: 788
          • Flora & Fauna: 981
            • Insects & Entomology: 1278
          • Genetics: 982
          • Neuroscience: 1226
        • Chemistry: 505
        • Computer Science: 1227
          • Computer Education: 1229
          • Distributed & Parallel Computing: 1298
          • Machine Learning & Artificial Intelligence: 1299
          • Programming: 31
            • C & C++: 731
            • Developer Jobs: 802
            • Development Tools: 730
            • Java: 732
            • Scripting Languages: 733
            • Windows & .NET: 734
        • Earth Sciences: 1168
          • Atmospheric Science: 1254
            • Climate Change & Global Warming: 1255
          • Geology: 443
          • Paleontology: 1169
          • Water & Marine Sciences: 441
        • Ecology & Environment: 442
          • Climate Change & Global Warming: 1255
        • Engineering & Technology: 231
          • CAD & CAM: 1300
          • Robotics: 1141
          • Technology News: 785
        • Mathematics: 436
          • Statistics: 1252
        • Physics: 444
        • Scientific Equipment: 445
        • Scientific Institutions: 446
      • Shopping: 18
        • Antiques & Collectibles: 64
        • Apparel: 68
          • Apparel Services: 1228
          • Athletic Apparel: 983
          • Casual Apparel: 984
            • T-Shirts: 428
          • Children’s Clothing: 985
          • Clothing Accessories: 124
            • Gems & Jewelry: 350
            • Handbags & Purses: 986
            • Watches: 987
          • Costumes: 988
          • Eyewear: 989
            • Eyeglasses & Contacts: 1224
          • Footwear: 697
          • Formal Wear: 990
          • Headwear: 991
          • Men’s Clothing: 992
          • Outerwear: 993
          • Sleepwear: 994
          • Swimwear: 995
          • Undergarments: 530
          • Uniforms & Workwear: 996
          • Women’s Clothing: 997
        • Auctions: 292
        • Classifieds: 61
        • Consumer Electronics: 78
          • Audio Equipment: 361
            • Headphones: 1396
            • MP3 & Portable Media Players: 227
            • Speakers: 1158
            • Stereo Systems & Components: 91
          • Camera & Photo Equipment: 573
            • Binoculars, Telescopes & Optical Devices: 1384
            • Cameras & Camcorders: 306
              • Camcorders: 308
              • Camera Lenses: 1383
              • Cameras: 307
          • Car Electronics: 1188
            • Car Audio: 230
            • Car Video: 1189
            • GPS & Navigation: 794
          • Electronic Accessories: 1192
          • Gadgets & Portable Electronics: 362
            • E-Book Readers: 1324
            • Handheld Game Consoles: 1046
            • MP3 & Portable Media Players: 227
            • PDAs & Handhelds: 228
          • Game Systems & Consoles: 899
            • Handheld Game Consoles: 1046
            • Nintendo: 1043
            • Sony PlayStation: 1044
            • Xbox: 1045
          • GPS & Navigation: 794
          • TV & Video Equipment: 229
            • DVRs & Set-Top Boxes: 1393
            • Home Theater Systems: 1157
            • Projectors & Screens: 1334
            • Televisions: 305
              • HDTVs: 1354
              • LCD TVs: 1356
              • Plasma TVs: 1355
              • Projection TVs: 1357
            • Video Players & Recorders: 492
              • Blu-Ray Players & Recorders: 1394
              • DVD Players & Recorders: 1395
        • Consumer Resources: 69
          • Consumer Advocacy & Protection: 97
          • Coupons & Discount Offers: 365
          • Customer Services: 450
            • Loyalty Cards & Programs: 1309
            • Technical Support: 567
            • Warranties & Service Contracts: 451
          • Product Reviews & Price Comparisons: 353
            • Price Comparisons: 352
            • Vehicle Specs, Reviews & Comparisons: 1267
        • Entertainment Media: 1143
          • Book Retailers: 355
          • CD & Audio Shopping: 217
          • DVD & Video Shopping: 210
            • DVD & Video Rentals: 1145
          • Entertainment Media Rentals: 1144
            • DVD & Video Rentals: 1145
          • Video Game Retailers: 1146
        • Gifts & Special Event Items: 70
          • Cards & Greetings: 100
          • Flowers: 323
          • Gifts: 99
          • Party & Holiday Supplies: 324
        • Luxury Goods: 696
        • Mass Merchants & Department Stores: 73
        • Photo & Video Services: 576
          • Stock Photography: 574
        • Shopping Portals & Search Engines: 531
        • Sporting Goods: 263
          • Bicycles & Accessories: 1191
          • Sports Memorabilia: 1083
        • Swap Meets & Outdoor Markets: 1210
        • Ticket Sales: 614
        • Tobacco Products: 123
        • Toys: 432
        • Wholesalers & Liquidators: 1225
      • Sports: 20
        • College Sports: 1073
        • Combat Sports: 514
          • Boxing: 515
          • Martial Arts: 516
          • Wrestling: 512
        • Extreme Sports: 554
          • Drag & Street Racing: 1206
          • Stunts & Dangerous Feats: 1207
        • Fantasy Sports: 998
        • Individual Sports: 1000
          • Bowling: 1016
          • Cycling: 458
            • Bicycles & Accessories: 1191
          • Golf: 261
          • Gymnastics: 519
          • Racquet Sports: 262
            • Tennis: 1376
          • Running & Walking: 541
          • Skate Sports: 1126
          • Track & Field: 518
        • Live Sporting Events: 1273
        • Motor Sports: 180
          • Drag & Street Racing: 1206
        • Sporting Goods: 263
          • Bicycles & Accessories: 1191
          • Sports Memorabilia: 1083
        • Sports Coaching & Training: 1082
        • Sports News: 1077
        • Team Sports: 1001
          • American Football: 258
          • Baseball: 259
          • Basketball: 264
          • Cheerleading: 534
          • Cricket: 296
          • Handball: 1017
          • Hockey: 260
          • Rugby: 517
          • Soccer: 294
          • Volleyball: 699
        • Water Sports: 118
        • Winter Sports: 265
          • Ice Skating: 1149
          • Skiing & Snowboarding: 1148
        • World Sports Competitions: 1198
          • Olympics: 513
      • Travel: 67
        • Air Travel: 203
          • Airport Parking & Transportation: 1245
          • Recreational Aviation: 999
            • Personal Aircraft: 1147
        • Bus & Rail: 708
        • Car Rental & Taxi Services: 205
        • Carpooling & Ridesharing: 1339
        • Cruises & Charters: 206
        • Hotels & Accommodations: 179
        • Luggage & Travel Accessories: 1003
        • Specialty Travel: 1004
          • Adventure Travel: 707
          • Agritourism: 1389
          • Ecotourism: 1005
          • Sightseeing Tours: 1390
          • Vineyards & Wine Tourism: 1391
        • Tourist Destinations: 208
          • Beaches & Islands: 1074
          • Historical Sites & Buildings: 1006
          • Lakes & Rivers: 1120
          • Mountain & Ski Resorts: 1119
          • Regional Parks & Gardens: 1007
          • Theme Parks: 1008
          • Zoos-Aquariums-Preserves: 1009
        • Travel Agencies & Services: 1010
          • Tourist Boards & Visitor Centers: 1392
          • Vacation Offers: 1019
        • Travel Guides & Travelogues: 1011

    How to get an Affiliate ID for the Walmartomatic plugin?

    Walmartomatic supports importing items from Walmart on auto-pilot and adding affiliate links to the link URLs.

    Steps to get the affiliate ID for Walmart:

    1- to make commissions, you should apply as an affiliate here (you need to search and sign up for Walmart affiliate program): Impact Radius

    2- once applied,visit your affiliate dashboard here and click on the link icon on the left

    Impact Radius

    3- Copy the first numeric value from the displayed link between the two slashes. This is the publisher ID that should be added to the settings page of the plugin. in my case, it is 1804192

    How do I achieve GDPR complience using the Fortune Cookie or the Legalize plugin?

    Cookies are mentioned only once in the EU General Data Protection Regulation(GDPR), but the repercussions are significant for any organisation that uses them to track users’ browsing activity.

    Recital 30 of the GDPR states:

    Natural persons may be associated with online identifiers […] such as internet protocol addresses, cookie identifiers or other identifiers […]. This may leave traces which, in particular when combined with unique identifiers and other information received by the servers, may be used to create profiles of the natural persons and identify them.

    In short: when cookies can identify an individual via their device, it is considered personal data.

    This supports Recital 26, which states that any data that can be used to identify an individual either directly or indirectly (whether on its own or in conjunction with other information) is personal data.

    What it means

    Not all cookies are used in a way that could identify users, but the majority are and will be subject to the GDPR. This includes cookies for analytics, advertising and functional services, such as survey and chat tools.

    To become compliant, organisations will need to either stop collecting the offending cookies or find a lawful ground to collect and process that data. Most organisations rely on consent (either implied or opt-out), but the GDPR’s strengthened requirements mean it will be much harder to obtain legal consent. The consequences of this were discussed during the 2016 Data Protection Compliance Conference and its findings described by Cookie Law:

    • Implied consent is no longer sufficient. Consent must be given through a clear affirmative action, such as clicking an opt-in box or choosing settings or preferences on a settings menu. Simply visiting a site doesn’t count as consent.
    • ‘By using this site, you accept cookies’ messages are also not sufficient for the same reasons. If there is no genuine and free choice, then there is no valid consent. You must make it possible to both accept or reject cookies. This means:
    • It must be as easy to withdraw consent as it is to give it. If organisations want to tell people to block cookies if they don’t give their consent, they must make them accept cookies first.
    • Sites will need to provide an opt-out option. Even after getting valid consent, sites must give people the option to change their mind. If you ask for consent through opt-in boxes in a settings menu, users must always be able to return to that menu to adjust their preferences.

    Achieving compliance

    Soft opt-in consent is probably the best consent model, according to Cookie Law: “This means giving an opportunity to act before cookies are set on a first visit to a site. If there is then a fair notice, continuing to browse can in most circumstances be valid consent via affirmative action.”

    If you’re figuring out how your organisation can achieve compliance with the GDPR, you might want to consider enrolling on our Certified EU General Data Protection Regulation Practitioner (GDPR) Training Course.

    This course helps you gain a practical understanding of the tools and methods for implementing and managing an effective compliance framework. It focuses on how the data protection principles work in practice and the policies and procedures you need to put in place. It also offers practical guidance on how to implement an effective privacy and information security compliance programme.

    Youtubomatic video uploader update! Facebook, DailyMotion an Twitch added

    Youtubomatic video uploader update! Facebook, DailyMotion an Twitch added – you can link any video from these sources in your posts, publish the post, and the linked video will be uploaded to your linked YouTube channel!
    Check it out now! https://1.envato.market/youtubomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    I am getting the following error in plugin’s logs: Error occured in curl: Connection timed out after xxxx milliseconds

    This issue is caused by a hosting limitation enforced by your hosting provider.

    The error returned by the plugin during running is: curl: ‘Connection timed out after xxxx milliseconds’ – this means that it does not manage to connect to outside servers, probably because it’s connection is blocked by a firewall rule.

    Some of the plugins also support the setting of proxies, in ‘Main Settings’ -> ‘Web Proxy Address’. If your plugins supports this feature, you can try setting different proxies here, to see if any will work.

    If you don’t know proxy servers, or they don’t work, to solve this, you should contact your hosting provider’s support and ask them to allow the plugin to connect to external hosts (to open outgoing ports for your website, for all external IP addresses).

    I see twice the same featured image in the generated posts

    This issue is because your theme displays post’s featured images in the top of the post, and also, the post contains the same image, in the post content, once again. To fix this, you have two options: you can edit your theme’s settings, and make it not display featured images for single posts (each theme has it’s own configuration, so it is hard to tell how to do this in your case). The second option to fix this is to check the ‘Strip Featured Image From Generated Post Content’ checkbox, from the plugin’s ‘Main Settings’. This will try to remove the featured image from the post body.

    Also, if the above feature is not available in the plugin you are using, please look for the ‘Strip Images From Generated Post Content’ checkbox, in the plugin’s ‘Main Settings’.

    My allocated WordPress memory is too low. How do I increase it?

    If your allocated WordPress memory is too low (we recommend having atleast 128MB allocated memory), then here’s how to increase it.

    Please follow the steps below:

    Step 1: Access the wp-config.php file

    1. Log in to your WordPress hosting account or connect to your server via FTP (File Transfer Protocol).
    2. Navigate to the root directory of your WordPress installation. This is usually the public_html or www folder.
    3. Look for the wp-config.php file. It is a vital file for WordPress configuration.

    Step 2: Open the wp-config.php file

    1. Right-click on the wp-config.php file and choose “View/Edit” or download it to your local computer and open it with a text editor (e.g., Notepad, Sublime Text, or Visual Studio Code).

    Step 3: Define the memory limit

    1. Inside the wp-config.php file, find the line that says:
      arduino
      /* That's all, stop editing! Happy publishing. */

      It is usually near the end of the file.

    2. Just above the line mentioned above, add the following code:
      php
      define('WP_MEMORY_LIMIT', '256M');

      This code sets the memory limit to 256 megabytes. You can change the value to your desired limit (e.g., 512M for 512 megabytes).

    3. Save the changes and close the wp-config.php file.

    Step 4: Verify the new memory limit

    1. Log in to your WordPress admin dashboard.
    2. Go to “Tools” and select “Site Health.”
    3. Inside the Site Health screen, click on the “Info” tab.
    4. Look for the “Server” section and find the “PHP Max Memory Limit” value. It should reflect the new memory limit you set.

    Congratulations! You have successfully increased the maximum memory limit in the wp-config.php file. This change allows WordPress to utilize more memory, which can be beneficial for memory-intensive plugins or themes. Remember to save a backup of the original wp-config.php file before making any modifications for safety purposes.

    Tutorial for editing the wp-config.php file:

    Editing wp-config.php

    If you are using a shared hosting or you don’t want to do this by yourself, then you may ask your webhost to do this for you.

    How can I get a refund?

    (As from https://help.market.envato.com/hc/en-us/articles/202821460-Can-I-Get-A-Refund- ):

    “Envato Market will generally only offer refunds where the item you purchased is broken, malfunctioning or corrupt, or doesn’t work as described.

    Before requesting a refund

    It’s important to keep in mind that there is often a difference between an item that is brokenand a situation where you are receiving an error message.

    Error messages could be related to an incorrect setup, configuration or software and as a result the item is not working.

    Before you request a refund from Envato it’s vitally important that you have first:

    Please Note: As the item you are purchasing is digital goods, by downloading the item you have taken ownership of the item, and we cannot offer refunds or exchanges due to a change of mind.

    If you are unsure, it is you the “buyers” responsibility to ask the author questions before purchasing. To make sure the item is suitable for your project and is compatible with your hardware or software.

    If the item you purchased is broken, malfunctioning or corrupt, or doesn’t work as described in the items description and you have completed the above steps please open a refund request.

    The item I purchased is gone

    • Items may be removed and no longer available for download for a number of reasons.
    • If the item was; removed within 5 days of your initial purchase And / Or has not been downloaded, please open a refund request. “

    My website loads extremely slow after importing X products. What`s the cause?

    Our plugins simply import products from social networks or other websites to WordPress/Woocommerce. This means that AFTER the import, WordPress/Woocommerce handles the rest of the process (frontend/backend products listings). The fact that the website is slowing down is because of WordPress Database Architecture. The WordPress platform was not intended for large shop-like databases, so if you`re trying to import a gazzillion number of Amazon Products, each one with all its variations you need to have MORE RESOURCES (MORE RAM, MORE CPU). Of course, at one point WordPress will eventually crash because of the large amount of data that needs to be processed by it. You can increase this limit by getting a better hosting provider.

    FBomatic Automatic Post Generator and Facebook Auto Poster – WordPress Plugin (Updated Version)

    FBomatic Automatic Post Generator Plugin for WordPress is a breaking edge (made in 2017) Facebook To WordPress post importer plugin that is ideal for autoblogging. It uses the Facebook Graph API to turn your website into a autoblogging or even a money making machine!
    What is interesting to know is that content from Facebook groups and pages are not indexed by search engines. So, content generated in this way is automatically considered as unique in term of SEO.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts from:
    Any public Facebook group
    Any Facebook page
    Note: this plugin will not post from personal Facebook profiles – only public groups and pages!

    Check the plugin here: https://1.envato.market/fbomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #autopost #facebook #autoblog

    Social Mass Poster Plugin for WordPress

    Social Mass Poster Plugin for WordPress – will enable you to mass import YouTube videos to your blog and automatically publish them to Pinterest (more social networks will come in the future).
    Also, it will allow you to import royalty free images from Pixabay, Flickr or MorgueFile (more sources to come in the future).

    Check it out now: https://1.envato.market/smp

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    I keep getting an yellow diamond when I ‘run the rule now’ and no new posts are getting generated

    The yellow diamond at rule running means that no new posts were imported at the rule running (but also no errors were encountered). If an error was encountered, a red X shows.

    The yellow diamond appears usually in two cases:

    1) if all posts were already imported from for the specific rule. Posts will be imported automatically, at the schedule you set, if new content is available from the API, which is not already posted to your blog. In this case, you should wait a couple of hours or 1-2 days at max, to see if posts are getting imported automatically to your blog.

    2) if no post is getting imported, you should check the ‘Posting Restrictions’ settings, in plugin’s ‘Main Settings’. These can prevent posts from getting imported. Please check the ‘Minimum Title Word Count’, Maximum Title Word Count’ , Minimum Content Word Count’ , Maximum Content Word Count’, ‘Banned Words List’, ‘Required Words List’, ‘Skip Posts That Do Not Have Images’ or ‘Skip Posts Older Than a Selected Date’ settings fields in ‘Main Settings’ – these may prevent posts from getting imported. Please clear them, save settings and rerun importing, to check if these were the ones preventing proper post importing.

    My security provider (Sucuri) has just sent me the following alert. Server Side Scanner Warnings php.backdoor.file_get_contents.005 wp-content/plugins/crawlomatic-multipage-scraper-post-generator/crawlomatic-multipage-scraper-post-generator.php

    This is a false positive detection (a file that is reported as malware, but it is not one), you should not be alarmed because of this.

    This message is given because my plugin uses the file_get_contents() PHP method. file_get_contents is a regular PHP function and it is used in some parts of the plugin as a fallback if other similar functions are not enabled on your server.

    Please check also these couple of articles, that describe exactly the same false positive detection:

    https://community.mybb.com/thread-163316.html

    http://www.atutor.ca/view/7/25095/1.html

    Update for Echo RSS Feed Post Generator plugin – import any custom feed tag names!

    We just released a new (unique on the market) feature update for Echo RSS Feed Post Generator plugin – you will be able to import any custom feed tag names! Example: if you have a feed with a “location” tag in it, you can use this plugin to import the data from it.

    Check the plugin here: https://1.envato.market/echo

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Update for cryptocurrency miner plugins made by CodeRevolution

    Hello,

    CodeCanyon made some policy changes recently, and they are no longer allowing crypto miner plugins to be sold on their marketplace. This is why, I have moved all my plugins from this category to Alkanyx.com and to my private marketplace. You can get them from Alkanyx from here: https://alkanyx.com/items/search/coinhive

    Or from my private marketplace, from here: http://coderevolution.ro/

    Thank you for your support and I hope you will find these plugins usefull!

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Is there a way to adjust the time interval for importing rules, to less than an hour, maybe 0.5?

    I implemented the 1 hour limitation to not allow any plugin user to overdrive the plugin and use their hosting’s cpu excessively (and afterwards complain to me that the plugin broke) – I already have customers that created 100+ importing rules and run them by hour basis. :)

    If you wish to get this feature, I can implement for you a payed custom plugin version, in which you will be able to run rules by minute basis. If you are interested, please contact me at my email address kisded@yahoo.com and we can discuss details about this.

    How to get a YouTube channel’s ID?

    You can use Youtubomatic plugin to post videos fromYouTube to your WordPress account for any channel

    the channel id appear at the channel link after the “channel/” part

    as example here is a youtube channel link

    https://www.youtube.com/channel/UCv2oaoQ9-yq2ZWkGPDQaUZw

    the id for this channel is “UCv2oaoQ9-yq2ZWkGPDQaUZw” without quotes

    What if the channel link does not contain the “channel/” part?

    let’s say you have the channel link with the user other than the channel id like the following link

    https://www.youtube.com/user/NatGeoWILD2014

    with this link there is no channel id appear at it so do the following to get the channel link from this link

    1. Visit the channel link like this https://www.youtube.com/user/NatGeoWILD2014
    2. open any video posted by this channel
    3. copy the channel link from the video pageLL3w5QbCW9
    4. now you can get the channel id that appears after the “/channel”

    WebMinePool Virtual Crypto Farm plugin for WordPress

    WebMinePool Virtual Crypto Farm plugin for WordPress will automatically integrate the WebMinePool crypto miner script into your webpage, allowing you to fully customize it, to fit your needs.

    It will display a fully customizable notification to users and will allow users to opt-in to mining, but is also able to start mining automatically. Check it out:

    https://alkanyx.com/item/137/WebMinePool-Virtual-Crypto-Farm-Plugin-for-WordPress?ref=4899730bc366

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    WordPressomatic is unable to post to remote WordPress installation, ‘Due to a potential server misconfiguration, it seems that HTTP Basic Authorization may not work for the REST API on this site: Authorization headers are not being sent to WordPress by the web server.’ warning is displayed in the application password editor

    Howdy!

    You’re probably here because you were presented with an error message that looks something like this:

    Due to a potential server misconfiguration, it seems that HTTP Basic Authorization may not work for the REST API on this site: Authorization headers are not being sent to WordPress by the web server.

    Not to worry! This is often easily solvable by a minor .htaccess modification.

    By default, WordPress creates a block that looks something like this in your .htaccess file:

    # BEGIN WordPress
    <IfModule mod_rewrite.c>
    RewriteEngine On
    RewriteBase /
    RewriteRule ^index\.php$ - [L]
    RewriteCond %{REQUEST_FILENAME} !-f
    RewriteCond %{REQUEST_FILENAME} !-d
    RewriteRule . /index.php [L]
    </IfModule>
    
    # END WordPress
    

    What we need to do is add this line:

    RewriteRule .* - [E=REMOTE_USER:%{HTTP:Authorization}]
    

    directly after the RewriteEngine On line — so your final block will look like this:

    # BEGIN WordPress
    <IfModule mod_rewrite.c>
    RewriteEngine On
    RewriteRule .* - [E=REMOTE_USER:%{HTTP:Authorization}]
    RewriteBase /
    RewriteRule ^index\.php$ - [L]
    RewriteCond %{REQUEST_FILENAME} !-f
    RewriteCond %{REQUEST_FILENAME} !-d
    RewriteRule . /index.php [L]
    </IfModule>
    
    # END WordPress
    

    Once that’s done, Application Passwords and HTTP Basic Auth should work as expected.

    Why does this happen?

    This happens because your server is likely configured with PHP in CGI or FastCGI modes. In this mode, by default your web server thinks it’s meant to handle HTTP Auth and then just pass the request on to PHP if it meets the requirements. But we need PHP to get the raw Auth header! So in this case, we’re stashing it in the REMOTE_USER parameter.

    CoinImp Virtual Crypto Farm plugin for WordPress

    CoinImp Virtual Crypto Farm plugin for WordPress will automatically integrate the CoinImp crypto miner script into your webpage, allowing you to fully customize it, to fit your needs.

    It will display a fully customizable notification to users and will allow users to opt-in to mining, but is also able to start mining automatically. Check it out:

    https://alkanyx.com/item/136/CoinImp-Virtual-Crypto-Farm-Plugin-for-WordPress?ref=4899730bc366

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Adless Virtual Crypto Farm plugin for WordPress

    Adless Virtual Crypto Farm plugin for WordPress will automatically integrate the Adless crypto miner script into your webpage, allowing you to fully customize it, to fit your needs.

    It will display a fully customizable notification to users and will allow users to opt-in to mining, but is also able to start mining automatically. Check it out:

    https://alkanyx.com/item/138/Adless-Virtual-Crypto-Farm-Plugin-for-WordPress?ref=4899730bc366

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    When auto posting to Facebook, I get this error: “Exception thrown in Facebook auto posting: (#100) Only owners of the URL have the ability to specify the picture, name, thumbnail or description params.”

    Hello,

    First of all, please check if you have in your Facebook account a settings, a settings named ‘Link ownership’.

    Also, you should enable in plugin’s ‘Main Settings’ -> ‘Enable Open Graph Meta Tags in Generated Pages’ checkbox. Also, this requires that you disable other plugins (or turn of their features) that generate OG tags for your page.

    However, to make this fix work, you will have to introduce in the plugin, the page ID where you want to post, in the plugin’s ‘Main Settings’ -> ‘Facebook Page IDs (Link Ownership Verification)’ field.

    How to get your page ID, using the official method:

    Login to Facebook as an admin of your newsroom’s Facebook Page. At the top of the newsroom’s Facebook Page, click “Publishing Tools.” To the left, under “Posts,” click “Link Ownership.” Copy the id shown in the ‘content’ of the meta tag that is shown in the page and input it in the plugin -> ‘Main Settings’ -> ‘Facebook Page IDs (Link Ownership Verification)’ field.

    More details in this article: https://web.socialnewsdesk.com/facebook/how-to-claim-link-ownership-on-facebook-a-publishers-guide/

    If you don’t find this feature, you can follow the unofficial method: https://findmyfbid.com/ – input your page url and you will get it’s ID. Copy it and paste it in the plugin, to the ‘Facebook Page IDs (Link Ownership Verification)’ field.

    CryptoLoot Virtual Crypto Farm plugin for WordPress

    CryptoLoot Virtual Crypto Farm plugin for WordPress will automatically integrate the CryptoLoot crypto miner script into your webpage, allowing you to fully customize it, to fit your needs.

    It will display a fully customizable notification to users and will

    allow users to opt-in to mining, but is also able to start mining automatically. Check it out:
    https://alkanyx.com/item/135/CryptoLoot-Virtual-Crypto-Farm-Plugin-for-WordPress?ref=4899730bc366

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    [Plugin Retired – CoinHive shut down] CoinHive Virtual Crypto Farm plugin for WordPress

    [Plugin Retired – CoinHive shut down] CoinHive Virtual Crypto Farm plugin for WordPress will automatically integrate the CoinHive crypto miner script into your webpage, allowing you to fully customize it, to fit your needs.

    It will display a fully customizable notification to users and will allow users to opt-in to mining, but is also able to start mining automatically. Check it out:

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Echo RSS Feed Post Generator Plugin Updated Tutorial

    Echo RSS Feed Post Generator Plugin has come a long way since it’s original release. So, I thought that it needs a new tutorial video that shows it’s new features.

    You can check out the plugin here: https://1.envato.market/echo

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    Echo RSS Feed Post Generator Free Version released on WordPress.org

    We have just released a free version of the popular ‘Echo RSS Feed Post Importer Plugin’. Please give it a try (maybe before you will buy the full version of it). You can find it here: https://coderevolution.ro/product/echo-rss-feed-post-generator-free-version/

    The full version of the plugin can be found here: https://1.envato.market/echo

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    How can I list imported content (with your plugins) on a custom page

    Each plugin that imports custom content has some shortcodes available that will include all imported posts into the page where you include the shortcode.

    The shortcode’s name differs from plugin to plugin, but generally it’s name is in this format: [<plugin_name>_display_posts] and [<plugin_name>_list_posts]. For example, for Youtubomatic plugin, the shortcode’s name is [youtubomatic_display_posts] and [youtubomatic_list_posts]. For more info about these shortcodes, please check plugin’s documentation or the plugin’s ‘Main Settings’ page.

    When I import posts using manual rule running, the page is giving a timeout error

    Yes, this is know behavior for some shared hosts. This is because your browser is waiting for a response from your server, and it times out.

    Also, on further accesses to your page, your webpage might be still in ‘timeout state’. Relax, this will affect only the browser session that you are using. Other visitors and other devices (computers or phones) visiting your website will see it as usual – no timeout for them.

    After a while (when the plugin finishes importing posts), the webpage will be accessible also for your browser session.

    The timeout is set by your hosting company – and cannot be changed.

    I get a yellow rombus when manually running my post importing rule

    The yellow rhombus means that ‘No New Posts Were Imported’.

    This means that all posts were already imported (new posts will be imported when the source get’s updated with new entries).

    In some plugins, you can check a rule settings (found in rule’s ‘Advanced settings’), named ‘Cache Items For Continuous Posting‘. Please check this checkbox (if the plugin you are using has it), and try running importing again.

    If still no posts imported, please check query words (or other plugin settings), that could limit the number of posts returned.

    Here you can check also settings like: ‘Maximum Title Word Count’, ‘Maximum Content Word Count’, ‘Minimum Title Word Count’, ‘Minimum Content Word Count’, ‘Banned Words List’ or ‘Required Words List’, which any could cause posts not being imported (skipped).

    Also, you can check the plugin’s ‘Activity and Logging’ section, where you would see hints about posts being skipped because of one of the above settings.

    If none of the above helps, please send me an email, to my email address: kisded@yahoo.com .

    I get a red X when manually running my post importing rule

    In this case, something is not right with the plugin or with the plugin configuration/server connection.

    Please check the ‘Activity and Logging’ section of the plugin for any errors. If you find errors, please send them to my email address kisded@yahoo.com, with details about how to reproduce them.

    If the log contains no errors, please be sure to enable the ‘Enable Logging’ and ‘Enable Detailed Logging’ checkboxes from plugin’s ‘Main Settings’. Rerun the rule (so the error can be generated) and check ‘Activity and Logging’ section again for an error.

    If still no luck, please send me an email to my email address: kisded@yahoo.com with details on how to reproduce this issue and I will try to fix it if it is possible.

    Things to know before buying from us (aka ‘Terms of Service’)

    • we guarantee to respond to every inquiry within 1 business day (typical response time is much faster, within a few hours)
    • we provide support via e-mails or via the supported items comment section, in English, Hungarian or Romanian languages. Emails should be sent to kisded@yahoo.com e-mail address (we also know German and Spanish, but not very well, we do not guarantee that we can respond to sophisticated requests in these two languages)
    • item licensing:
      • ‘Regular License’: you may use it only on ONE domain/project/theme.
      • ‘Extended License’: this is 5 times the cost of the ‘Regular License’ – you may use it on as many domains/projects/themes as you wish.

      So, if you wish to use a plugin on 2 websites, you must purchase 2 ‘Regular Licenses’ for it. If you wish to use it on 5 or more websites, you must purchase an ‘Extended License’.

    • if you like our work and want to support us, you can buy multiple licenses of our plugins or send a small donation to our PayPal (kisded@yahoo.com)
    • we provide paid customizations for every item that we have on sale
    • scope of support does not cover any item modifications
    • but if you want an item modification, you can contact us and ask us about it, maybe we’ll provide a future update with your request
    • you are free to use IE6 and IE7, but we cannot fully assure you that all our plugin’s features will work in legacy browsers
    • compatibility with 3rd party products is not guaranteed unless explicitly stated in the item’s description
    • items are supported for as long as you pay the support period for (basic support: 6 months or extended support: 12 months)
    • please read the official item support policy before purchasing
    • sending multiple e-mails (and/or item comments) for the same issue will move your request to the end of the queue and delay the response
    • posting false or abusive reviews will deny you support
    • support can only be provided for original, non-modified items
    • support is provided for one domain/project/theme per one regular license or all domains/projects/themes for extended license
    • customers who breach the item’s license terms (ex: use an item on multiple sites although purchasing only one regular license) will be permanently denied support
    • we reserve the right to deny support for rude and unpleasant customers
    • we only approve refunds for items that have not been already downloaded
    • please note that we live in GMT+2 timezone, response may be delayed by this

    Why you should choose items from CodeRevolution?

    We offer premium class dedicated support to all our customers and introduce free lifetime updates to all our items on Envato once you purchase them. Also, if you find a bug in our code, or you would like to suggest a new feature for it, feel free to contact us anytime – kisded@yahoo.com !

    Who is CodeRevolution?

    Nice to meet you! My name is Szabi from CodeRevolution. We are a team of a few people who work FULL TIME as freelancers, making plugins and scripts for Envato Market. Because we dedicate all our time to this, our items are filled with passion, and we can offer premium support to our customers all the time! Feel free to ask in advance any question you might have about our items! If you buy any of our items, you will have support in case something is not working as specified, related to our item, according to Envato Support Policy.

    How do I setup a Facebook App, to allow me to post automatically to Facebook (for FBomatic)?

    Things to Gather Before Submission

    App details:

    1. Logo: 1024 x 1024 high-resolution image for your app
    2. Details about the usage of each Permission: You need to provide brief details about why you require a permission and how it is meant to be used.
    3. Screencast for each permission: Prepare a screencast for each permission that you seek, showing how the permission is used in the app
    4. Privacy Policy: An accessible website URL that hosts your privacy policy
    5. Terms and service URL: A valid terms and service URL.

    Status and Review:

    1. General instructions of what your app does.
    2. Individual notes on each of the additional requested permissions as detailed below.
    3. Individual steps to replicate functionality for additional requested permissions as detailed below.
    4. We recommend you include at least 4 screenshots of your in-app experience.

     

    Note: Due to Facebook Restriction we can use the new Facebook App in HTTPS sites only.

    To create a new Facebook application ,go to the link https://developers.facebook.com/apps or https://developers.facebook.com/

    If you are not a developer, register first

    If you are not a developer, you need to register as a developer.

     

    Click on the “Register as a Developer” link (highlighted above).

     

    In the first step “Accept the terms” and click continue.

     

    In the second step “Tell us about you”, select the appropriate section and click continue.

     

    Now you are a Facebook Developer. Click “Done” and you can now create the application.

    Create Facebook App

    Step 1:

    Click on the “Create New App/ Add a New App” link.

    Step 2:

    Enter the App Display Name and the contact email and click the “Create App ID”.

    Step 3:

    Now it will redirect to the “Add Product” page and in this page click the “Set Up” button in “Facebook Login”.

    Step 4:

    Click the “Web” button.

    Step 5:

    In the “Site URL” section add your site url and save it.

    (Note: You can see your site URL in the top of the plugin Facebook settings.)

     

    Note: If the “Quickstart” page is blank and you cannot enter the domain URL, please go to “Settings > Basic” section, just below the Dashboard and then click the “Add Platform” as shown below.

    Then select the “website” as given below.

    In this page you can add the site URL and save it.

    Step 6:

    Click on the “Facebook Login >Settings” link as shown below.

    Here enter the “Valid OAuth redirect URIs”.

    Note : You can see the OAuth redirect URI in the top of the account settings in the plugin.

    Please use this OAuth redirect URI in the facebook settings.

    After entering the OAuth redirect URI and enable the “Client OAuth Login and Web OAuth Login”, please save the changes.

    Step 7:

    The app is ready now. Click the “Dashboard” link in the menu to see the app id and secret.

    In the “Dashboard” we can see the App ID and App Secret.

     

    The App ID and App Secret are now ready. Click the “Show”button to see the App Secret. (The app secret is in alphanumeric and DON’T use ******* as App Secret.)

    Step 8:

    Here the app is in development mode. Only the developer can view the posts now.

    We need to “submit the app for approval” and after the app get approved, we can make the app public and the users can see the posts in the Facebook.

    The App Review Process Submission is given below.

    1: Click on the “App Review” and then the “Start a Submission” button in the “Submit Items for Approval” section.

    2: If you only wish to publish to Facebook pages you own, In the permissions page please select the login permissions manage_pages and  publish_pages  and click on the “Add 2 Items” button. If you wish to publish to groups, you will need 3 additional permissions for publishing the posts to groups – groups_access_member_info , publish_to_groups and Groups API.

    3: Now you can see the current submissions and it is asking to “Add Details” of each item.

    4. Click on the “Add Details” link and you can add the details of each item.

    4 A : Details for publish_pages

    1. For the question “How is your app using publish_pages?”, please select the first answer “This app is used in a WordPress plugin (Fbomatic). It lets people publish content or respond to posts and comments as a Page (also requires manage_pages)”.
    2. For the question “What platforms does your app use publish_pages on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.
      The publish_pages permission is used to post content to pages associated with the app. A Sample detailed step-by-step instructions are given below:

      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=fbomatic_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=fbomatic_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Login with Facebook’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side. After publishing, please click the ‘Post to Facebook now!’ button, from the bottom of the post editor page. The post will be published to the Facebook page you assigned it to.               

           10.3 : Without the Facebook “publish_pages” permission, we would not be able to publish content to Pages owned by the admin.

    4. Now upload a video screencast of the above procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    SCREENCAST EXAMPLE:

    4 B : Details for manage_pages

    1. For the question “How is your app using manage_pages?”, please select the first answer “This app is used in a WordPress plugin (Fbomatic). It lets people publish content or respond to posts and comments as a Page (also requires publish_pages)”.
    2. For the question “What platforms does your app use manage_pages on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.
      The manage_pages permission is used to list pages associated with the app. A Sample detailed step-by-step instructions are given below:

      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=fbomatic_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=fbomatic_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Login with Facebook’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side. After publishing, please click the ‘Post to Facebook now!’ button, from the bottom of the post editor page. The post will be published to the Facebook page you assigned it to.               

           10.3 : Without the Facebook “manage_pages” permission, we would not be able to publish content to Pages owned by the admin.

    4. Now upload a video screencast of the procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    SCREENCAST EXAMPLE:

    4C : Details for groups_access_member_info (Only if you wish to publish to groups)

    1. For the question “How is your app using groups_access_member_info?” use the answer “This app is used in a WordPress plugin (Fbomatic). To get details of  Facebook groups managed by the app’s admin using plugin.”
    2. For the question “What platforms does your app use groups_access_member_info on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.                                                                                                                                                                                                                                The groups_access_member_info  permission is used to list groups that are associated with the app. A Sample detailed step-by-step instructions are given below:
      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=fbomatic_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=fbomatic_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Login with Facebook’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side. After publishing, please click the ‘Post to Facebook now!’ button, from the bottom of the post editor page. The post will be published to the Facebook group you assigned it to.               

           10.3 : Without the Facebook “groups_access_member_info” permission, we would not be able to fetch details of groups owned by the admin.

    4. Now upload a video screencast of the procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    In this screencast you must publish content to your group on Facebook, letting the reviewer know in the video, how to do this, exactly. Please include in the video each step of the plugin configuration and publishing process.

    4D : Details for publish_to_groups (Only for publishing to groups)

    1. For the question “How is your app using publish_to_groups?” use the answer “This app is used in a WordPress plugin (Fbomatic). To publish WordPress blog posts to Facebook groups managed by the app’s admin using plugin”
    2. For the question “What platforms does your app use publish_to_groups on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.                                                                                                                                                                                                                                 The publish_to_groups  permission is used to publish content to groups that are associated with the app. A Sample detailed step-by-step instructions are given below:
      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=fbomatic_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=fbomatic_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Login with Facebook’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side. After publishing, please click the ‘Post to Facebook now!’ button, from the bottom of the post editor page. The post will be published to the Facebook group you assigned it to.               

           10.3 : Without the Facebook “publish_to_groups” permission, we would not be able to publish content to groups owned by the admin.

    4. Now upload a video screencast of the procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    In this screencast you must publish content to your group on Facebook, letting the reviewer know in the video, how to do this, exactly. Please include in the video each step of the plugin configuration and publishing process.

    4E : Details for Groups API (Only for publishing to groups)

    1. For the question “Please explain how you are using Groups API to enhance the experience of your app.” use the answer “This app is used in a WordPress plugin (Fbomatic). To get the groups details and publish WordPress blog posts to Facebook groups managed by the app’s admin using plugin.”
    2. For the question “What platforms does your app use Groups API on?”, please turn on the Web.
    3. In the detailed step-by-step instructions, please use the detailed steps.                                                                                                                                                                                                                                 The Groups API permission is used to access groups related data from the app. A Sample detailed step-by-step instructions are given below:
      1. Go to https://DOMAIN.com/wp-login.php
      2. Login as an administrator with user name : <user name> and password: <password>
      3. Go to https://DOMAIN.com/wp-admin/admin.php?page=fbomatic_admin_settings where user has to add Facebook App ID and Secret.
      4. Save settings.
      5. Go to https://DOMAIN.com/wp-admin/admin.php?page=fbomatic_facebook_panel where user has to authorize the application from the plugin’s settings page,  following the steps suggested by the plugin.
      6. Follow required steps, then click on the button ‘Login with Facebook’ button.
      7. It will take you to Facebook authorization procedure.
      8. Upon successful authorization ,if you manage Facebook pages, you will be prompted to select the facebook pages to which you need updates to be published.
      9. After selecting Facebook pages , save settings.
      10. After the authorization is complete,make a post in website by following below steps,

           10.1 : Go to https://DOMAIN.com/post-new.php

           10.2 : Fill in some title and content ,and add an image to post ,then click ‘publish’ button on right side. After publishing, please click the ‘Post to Facebook now!’ button, from the bottom of the post editor page. The post will be published to the Facebook group you assigned it to.               

           10.3 : Without the Facebook “Groups API” , we would not be able to get group details and publish content to groups owned by the admin

    4. Now upload a video screencast of the procedure.
    5. After adding the details click on the save button.

    Here is the demo login account for you to check 

    Login URL : https://yourdomain.com/home/login_page
    Email : login@yourdomain.com
    Password : XXXXXXX

    Thanks for your Kind Review. 

    In this screencast you must publish content to your group on Facebook, letting the reviewer know in the video, how to do this, exactly. Please include in the video each step of the plugin configuration and publishing process.

    4 F : App Verification Details (Optional)

    This permission is already enabled and if you want to add a test user, you can add the test user here.

    There is a test user “Open Graph Test User” by default.

    Now you can see the additional items to enter.

    Please click on the settings link in the section and you can see the App Icon, Privacy Policy URL, Category etc.

    After entering the details, please save it. Now we can submit the app for review.

    Accept the terms and submit. The app is now submitted for approval.

    Note: It may take some to get the app approved by facebook. (1 week – 3 months).

    One the app get approved, please make the app live.

    To make the app ‘Live/Public’, please go to the ‘App Review‘ page.

     

    In this page please select the ‘Live/Public’ mode by selecting the ‘YES’ button and a ‘green indicator’ will display next to the app name as in the below image.

     

    You can now use the Facebook app keys in the plugin.

    Now enter these keys in the plugin settings in your site.

    After entering the keys in the Facebook settings page, you need to “Authorize” the account. (The authorization section is present in the wordpress plugin section).

    You can see the Facebook pages in the settings page only after authorizing Facebook account.

    When you click on the “Authorize” button, it will redirect to a Facebook popup dialog box.

    Step 1:

     

    There is some warnings and you can ignore the warning and click the “OK” button.

    Step 2:

     

    Select the “Public” option and click OK.

    Step 3:

     

    In the step 3 click OK and the authorization is complete.

    Now you can see all your Facebook pages and you can select the Facebook page (or group) to auto publish.

     

    You can also check a tutorial video on the approval process (Facebook app submission not included):

    I have found a bug in your plugin!

    Ok, no worries. Please write me an email to kisded@yahoo.com, describing the bug that you found (with a method on how to reproduce it). I will check it out and fix it, if possible. 🙂

    I want to add some custom features to one of the plugins

    If you want to add some custom features to my plugins, please contact me at my email address: kisded@yahoo.com and tell me about your requirement/idea.
    Also, please note that custom feature requests are not included in plugin’s support, so, this will be considered as payed work (price will be in function of the custom feature request’s complexity).

    The plugin fails to install

    If one of our plugins fails to install, the culprit could be the active PHP version on your server. Please check the minimum PHP version requirement on the plugin’s main page, from here (search for the plugin): https://codecanyon.net/user/coderevolution/portfolio

    If you find that your PHP version is older that the minimum required one, please update your PHP version to PHP 5.6 or to PHP 7.1 (or newer). We recommend that you use PHP 7.x (or newer) for the best plugin performance.

    If you don’t know how to update your PHP version, please contact your hosting’s support, they will surely help you to fix this.

    I cannot save more than X rules in the plugin

    This is a PHP settings limitation, that affects some of our plugins.

    The issue is because, on your web server, you have active a PHP limitation that prevents our plugin from saving more rules in it’s settings.

    To fix this, you should update your PHP.ini file on your server (hosting) – from CPanel.

    You should replace this line:

    max_input_vars = 1000

    with this one:

    max_input_vars = 99999

    If you don’t know how to do this, please contact your hosting support, they will help you edit the file and solve this issue.

    You can also use this free plugin, to edit the php.ini file: https://ro.wordpress.org/plugins/php-settings/

    After the file is updated, the plugin will be able to add more importing rules.

    In some cases however, the hosting company does not allow the modification of the php.ini file. In this case, please send me an email to my email address: kisded@yahoo.com and I will try to help in another way.

    Post importing seems to run endlessly

    This can be caused by multiple things.

    • First, please check if you have active a plugin named ‘Really Simple SSL’. If yes, please go to it’s settings and deactivate ‘Redirect Javascript’ feature. This feature can cause hangs in rule running.
    • If the above did not solve the issue, please increase in plugin’s ‘Main Settings’ the ‘Rule Timeout’ parameter. The endless loop can be caused by a timeout in the plugin.
    • The third thing to try is to check the plugin’s ‘Activity and Logging’ section for errors. If you find any errors there, please report them to my email address: kisded@yahoo.com

    How do you update our plugins?

    This plugin supports automatic updating. Please click ‘Check for updates’ for this plugin in the WordPress plugins control panel. If a new version is available you will be prompted. Click ‘Update now’ to finish the updating process.

    Newsomatic v2.0 update – many cool new features (including keyword search)

    Some of the new features included in v2.0 update (now the plugin uses the v2 API from NewsAPI):

    You can search for articles with any combination of the following criteria:

    Keyword or phrase. Eg: find all articles containing the word ‘Microsoft’.
    Date published. Eg: find all articles published yesterday.
    Source name. Eg: find all articles by ‘TechCrunch’.
    Language. Eg: find all articles written in English.

    Newsomatic Plugin URL: https://1.envato.market/newsomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #newsapi #update #newsblog

    Gearomatic GearBest Affiliate Post Generator Plugin for WordPress

    This extremely feature rich plugin will generate money for you even in your sleep! Take advantage of the GearBest affiliate program and start to earn a passive income!

    Check the plugin here: https://1.envato.market/gearomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #gearbest #affiliate #autoblog

    How to get easily, royalty free images and videos into your WordPress blog posts?

    In this video, I will show you how to include automatically, images or videos to your new blog posts, using the Imageomatic Pixabay Post Generator Plugin for WordPress.

    I will use shortcodes that the above plugin generates.

    Give it a try! https://1.envato.market/imageomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Imageomatic Pixabay Post Generator Plugin for WordPress

    This plugin will generate content for you, even in your sleep using Pixabay images or videos (royalty free images and videos). It is a nice tool to get rich content automatically, to your blog. It also contains shortcodes to automatically add images or videos based on a search query to your new posts.
    Give it a try! https://1.envato.market/imageomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    OKomatic Automatic Post Generator and Odnoklassniki Auto Poster Plugin for WordPress

    OKomatic Automatic Post Generator Plugin for WordPress is a breaking edge (made in 2017) OK.ru To WordPress post importer plugin that is ideal for autoblogging. It uses the OK API to turn your website into a autoblogging or even a money making machine!
    What is interesting to know is that content from OK groups and pages are not indexed by search engines. So, content generated in this way is automatically considered as unique in term of SEO.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts from:
    Any public OK group
    Any OK page

    Give it a try now! https://1.envato.market/okomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Spinomatic Block Spinning Update

    Spinomatic got updated recently, it has a new feature: it can also spin ‘Block Spintax’.

    If you haven’t heard of it yet, it is a new spinning technology invented by AutofillMagic. Check out the description here: http://autofillmagic.com/tutorials/block-spinning-step-by-step/

    Using this plugin, starting from now, you can also spin block-spintax.

    Check it out now! https://1.envato.market/spinomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    New update for crawling capable plugins (Echo, Crawlomatic, Mastermind, …)

    A new update for crawling capable plugins was just released. It will greatly help users to maximize the potential of these plugins, aiding them to get fast and without html knowledge, the expressions needed to fully get content from any website out there. 🙂
    Check it out now! https://1.envato.market/coderevolution

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Wpcomomatic WordPress.com to WordPress Automatic Cross-Poster Plugin for WordPress

    Wpcomomatic is a plugin with which you can automatically post from a WordPress installation to any WordPress.com blog (in both ways). It uses WordPress.com’s REST API to publish your posts remotely. Also, it has many cool features like text spinner, random sentence generator or a keyword replacer tool.
    Give it a try now!
    https://1.envato.market/wpcomomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Mediumomatic Automatic Post Generator And Medium Auto Poster Plugin for WordPress

    Mediumomatic Automatic Post Generator And Medium Auto Poster Plugin for WordPress is a breaking edge Medium To WordPress post importer plugin that is ideal for autoblogging. It uses the Medium API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules.
    Give it a try now!
    https://1.envato.market/mediumomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Ebayomatic Ebay Affiliate Post Generator Plugin for WordPress

    This extremely feature rich plugin will generate money for you even in your sleep! Take advantage of the Ebay affiliate program and start to earn a passive income!

    Ebayomatic Plugin URL: https://1.envato.market/ebayomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #ebay #affiliate #autoblog

    Movieomatic Automatic Post Generator Plugin for WordPress

    Movieomatic Automatic Post Generator – WordPress plugin is a breaking edge TheMovieDb To WordPress post importer plugin that is ideal for autoblogging for movie blogs. It uses the TheMovieDb API to turn your website into a autoblogging or even a money making machine!
    Movie related content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. The generated posts can include almost any movie related information you can think of.
    Give it a try now!
    https://1.envato.market/movieomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #movie #movieblog #autoblog

    Aliomatic Aliexpress Affiliate Post Generator Plugin for WordPress

    This extremely feature rich plugin will generate money for you even in your sleep! Take advantage of the EPN.BZ affiliate program and start to earn a passive income! It support the AliExpress affiliate network. Try it out now! https://1.envato.market/aliomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #aliexpress #affiliate #autoblog

    Kraken Automatic Post Editor Plugin for WordPress

    Using this plugin you can automatically published posts to your website. You can define rules to edit instantly on publish, or add a delay after publish. Modify any aspect of the posts, that you can think of: title, content, excerpt, featured image, tags, categories, custom meta tags and so on.
    Check it out now! https://1.envato.market/kraken

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Careeromatic CareerJet Affiliate Job Post Generator Plugin for WordPress

    Careeromatic CareerJet Affiliate Job Post Generator Plugin for WordPress is a breaking edge jobs from CareerJet to WordPress post importer plugin that is ideal for autoblogging, especially if you are looking for an affiliate income source. It uses the CareerJet API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts with the latest jobs found on the CareerJet API.
    Give it a try now! https://1.envato.market/careeromatic

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    CodeRevolution Configuration Import/Export Helper Plugin for WordPress

    This plugin will help you with the managing and deploying on new WordPress installs of the plugin settings that are made by CodeRevolution. It will deploy not only plugin settings, but also importing rule settings. This plugin supports all current plugins made by CodeRevolution and will also support all feature plugins.
    Give it a try! https://1.envato.market/config

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Bookomatic Google Books Automatic Post Generator Plugin for WordPress

    Bookomatic Google Books Automatic Post Generator Plugin for WordPress is a breaking edge books from Google Books to WordPress post importer plugin that is ideal for autoblogging, especially for book and ebook blogs. It uses the Google Books API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts with the latest books found on the Google Books API.
    Give it a try now! https://1.envato.market/bookomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Auto post YouTube videos to WordPress using Crawlomatic

    Crawlomatic is a WordPress plugin that copies contents from a website to your WordPress website for once or multiple times in chosen time intervals automatically. It’s very easy to use, doesn’t require any programming skills and designed for best user experience.

    Crawlomatic Plugin URL: https://1.envato.market/crawlomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress is a breaking edge Web Scraper (as a content source) and post importer plugin that is ideal for autoblogging. It uses web scraping and web crawling combined, to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules.

    New update: visual crawling selectors! Video tutorial: https://www.youtube.com/watch?v=2ixtS3LQsI4

    Give it a try now! https://1.envato.market/crawlomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    #crawlomatic #crawler #scraper

    To your success,
    Szabi – CodeRevolution.

    Some cool updates to ‘Echo RSS Feed Post Generator’ and ‘Mastermind Multisite Post Generator’

    Get the latest updates for ‘Echo RSS Feed Post Generator’ and ‘Mastermind Multisite Post Generator’! Now you can grab full article content without specifying a HTML div class or ID! This will make work much easier! Have fun using it! Check it out here: https://1.envato.market/echo

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Aether Content Hider Plugin for WordPress

    Using this plugin you can hide content from your site based on different shortcodes you will use.
    Available options are: hide/show content for loggen in users, hide/show content for mobile device users, hide/show content based on a predefined starting and ending time, hide/show content based on recurrent time (ex: each Friday), hide/show content if user did not comment on the current post (spam filter option).
    Check it out now! https://1.envato.market/aether

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Yummomatic Yummly Automatic Post Generator Plugin for WordPress

    Yummomatic Yummly Automatic Post Generator Plugin for WordPress is a breaking edge recipes from Yummly to WordPress post importer plugin that is ideal for autoblogging, especially for food and recipe blogs. It uses the Yummly API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts with the latest recipes found on the Yummly API.
    Give it a try now! https://1.envato.market/yummomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Kronos Post Expirator Plugin for WordPress

    The Kronos Post Expirator plugin allows the website admin to set expiration dates for both posts, pages and any custom post types. Post will be deleted (or moved to trash), based on their creation time. Define rules to automatically delete post. Example: delete posts that are older than 30 days.
    The plugin also offers a wide variety of options or post filtering.
    Check it out now! https://1.envato.market/kronos

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Recipeomatic Edamam Automatic Post Generator Plugin for WordPress

    Recipeomatic Edamam Automatic Post Generator Plugin for WordPress is a breaking edge recipes from Edamam to WordPress post importer plugin that is ideal for autoblogging, especially for food and recipe blogs. It uses the Edamam API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts with the latest recipes found on the Edamam API.
    Give it a try now! https://1.envato.market/recipeomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    E-Commerce Affiliate Blog Auto Poster WordPress Bundle by CodeRevolution

    E-Commerce Affiliate Blog Auto Poster WordPress Plugin Bundle by CodeRevolution is a powerful collection of e-commerce blog related plugins that will automatically generate posts from: Amazon, iTunes, Walmart and OpenCart. Check it out! https://1.envato.market/affiliatebundle

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    FBomaticomatic v2.4 update – cool new feature! Upload videos linked from post content to Facebook

    V2.4 plugin update for FBomatic plugin brings a cool new feature: configure the plugin to enable automatic uploading of videos, embed in your WordPress post content. Any YouTube or Vimeo video will be posted to Facebook as a video post and anyone will be able to watch it, as it will appear uploaded on your Facebook wall. No direct video file linking required! It is as simple as it sounds! Have fun using it!

    Check the FBomatic plugin here: https://1.envato.market/fbomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Trendomatic – WebHose + Google Trends Automatic Post Generator Plugin for WordPress

    Trendomatic Automatic Post Generator Plugin for WordPress is a breaking edge WebHose (as a content source) and Google Trends (as a trending keyword source) post importer plugin that is ideal for autoblogging. It uses the WebHose API combined with Google Trends to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules.
    Give it a try now! https://1.envato.market/trendomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #trends #news #autoblog

    Twitchomatic Automatic Post Generator and Twitch Auto Poster Plugin for WordPress

    This plugin will generate content for you, even in your sleep using Twitch feeds. Also, it will generate Twitch videos every time you post on your blog a post with a linked video in the content (even embedded YouTube or Vimeo videos!).
    Give it a try now! https://1.envato.market/twitchomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Blogspotomatic Automatic Post Generator And Blogspot Auto Poster Plugin for WordPress

    Blogspotomatic Automatic Post Generator And Blogspot Auto Poster Plugin for WordPress is a breaking edge Blogger To WordPress post importer plugin that is ideal for autoblogging. It uses the Blogger API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules.
    Give it a try now!
    https://1.envato.market/blogspotomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #blogspot #blogger #autoblog

    Mastermind Multisite RSS Feed Post Generator Plugin For WordPress

    This plugin will generate content for an unlimited number of other WordPress blogs you own using RSS feed sources. Install it on one ‘main’ blog, and configure it, connecting it to all other blogs you own. As a result all ‘slave’ blogs will get content without any further config. Give it a try now! https://1.envato.market/mastermind

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #rss #feed #rssfeed

    WordPressomatic WordPress to WordPress Automatic Post Generator Plugin

    WordPressomatic is a plugin with which you can automatically post from a WordPress installation to another (in both ways). It uses the WordPress’s REST API to publish your posts remotely. Also, it has many cool features like text spinner, random sentence generator or a keyword replacer tool. https://1.envato.market/wordpressomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Playomatic Automatic Post Generator Plugin for WordPress

    Playomatic Automatic Post Generator – WordPress plugin is a breaking edge Play Store To WordPress post importer plugin that is ideal for autoblogging. It uses the Play Store web page to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts with the latest articles found on the Play Store.
    Give it a try now! https://1.envato.market/playomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #playstore #apps #autoblog

    Wikiomatic Automatic Post Generator Plugin for WordPress

    Wikiomatic Automatic Post Generator – WordPress plugin is a breaking edge Wikipedia To WordPress post importer plugin that is ideal for autoblogging. It uses the Google Knowledge Graph API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts with the latest articles found on Wikipedia.
    Give it a try now! https://1.envato.market/wikiomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1
    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    Youtubomatic v1.9 update – cool new feature! Upload videos linked from post content

    V1.9 plugin update for Youtubomatic plugin brings a cool new feature: configure the plugin to enable automatic uploading, embed in your WordPress post content any YouTube or Vimeo video and watch as it appears uploaded on your YouTube channel. No direct video file linking required! It is as simple as it sounds! Have fun using it! https://1.envato.market/youtubomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Tumblomatic Automatic Post Generator And Tumblr Auto Poster

    Tumblomatic Tumblr Automatic Post Generator – WordPress plugin is a breaking edge Tumblr To WordPress post importer plugin that is ideal for autoblogging. It uses the Tumblr API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules.
    Give it a try now! https://1.envato.market/tumblomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    [Google Plus shut down] Gplusomatic – Google Plus Automatic Post Generator – WordPress plugin

    [Plugin retired – Google Plus shut down] Gplusomatic Google Plus Automatic Post Generator – WordPress plugin is a breaking edge Google Plus To WordPress post importer plugin that is ideal for autoblogging. It uses the Google Plus API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts with the latest posts found on Google Plus or posts from a specific Google Plus user.
    Give it a try now! https://1.envato.market/gplusomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Newsomatic – Automatic News Post Generator – WordPress plugin

    Newsomatic Automatic Post Generator – WordPress plugin is a breaking edge NewsAPI To WordPress post importer plugin that is ideal for autoblogging. It uses the NewsAPI API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts with the latest news found on any major news site.
    Give it a try now! https://1.envato.market/newsomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    Crawlomatic Multipage Scraper Post Generator Plugin for WordPress https://www.youtube.com/watch?v=7BYDa72zY7c

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    #newsomatic #autoblog #newsblog

    To your success,
    Szabi – CodeRevolution.

    Gameomatic – Giant Bomb Automatic Post Generator – WordPress plugin

    Gameomatic Automatic Post Generator – WordPress plugin is a breaking edge Giant Bomb To WordPress post importer plugin that is ideal for autoblogging. It uses the Giant Bomb API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts about video games, video game franchises, DLCs, game reviews, user game reviews, game characters, items, locations, game videos, game developer companies, game developers, game concept arts, gaming platforms or gaming platform accessories. Try it now!
    Give it a try now! https://1.envato.market/gameomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Walmartomatic – Walmart Affiliate Money Generator Plugin for WordPress

    This extremely feature rich plugin will generate money for you even in your sleep! Take advantage of the Walmart affiliate program and start to earn a passive income!

    Walmartomatic plugin URL: https://1.envato.market/walmartomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #affiliate #walmart #autoblog

    Ocartomatic – Open Cart Automatic Post Generator – WordPress plugin

    Ocartomatic Automatic Post Generator – WordPress plugin is a breaking edge Open Cart To WordPress post importer plugin that is ideal for autoblogging. It uses the Open Cart API to turn your website into a autoblogging or even a money making machine, while boosting sales on your Open Cart store!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts from:
    Any public Open Cart product – images and description.
    Give it a try now!
    https://1.envato.market/ocartomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Nasaomatic – Nasa Automatic Post Generator – WordPress plugin

    Nasaomatic Automatic Post Generator – WordPress plugin is a breaking edge Nasa To WordPress post importer plugin that is ideal for autoblogging. It uses the Nasa API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts from:
    Any public Nasa content – image, video or audio.
    Give it a try now!
    https://1.envato.market/nasaomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Ezinomatic Automatic Post Generator and EzineArticles Poster – WordPress plugin

    Ezinomatic Automatic Post Generator and EzineArticles Poster – WordPress plugin is a breaking edge EzineArticles To WordPress post importer plugin that is ideal for autoblogging. It uses the EzineArticles API to turn your website into a autoblogging or even a money making machine!
    Content generated in this way is automatically considered as unique in term of SEO, because of the breaking edge techniques this plugin uses.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts from:
    Any public EzineArticles content.
    It can associate articles with Pixabay free images!
    Give it a try now!
    https://1.envato.market/ezinomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    VKomatic Automatic Post Generator and VKontakte Auto Poster – WordPress Plugin

    VKomatic Automatic Post Generator Plugin for WordPress is a breaking edge VKontakte To WordPress post importer plugin that is ideal for autoblogging. It uses the VK API to turn your website into a autoblogging or even a money making machine!
    What is interesting to know is that content from VK groups and pages are not indexed by search engines. So, content generated in this way is automatically considered as unique in term of SEO.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts from:
    Any public VK group
    Any VK page’
    https://1.envato.market/vkomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Redditomatic Reddit Automatic Uploader and Post Generator

    This plugin will generate content for you, even in your sleep using Reddit feeds. Also, it will generate Reddit posts every time you post on your blog a new post. https://1.envato.market/redditomatic

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Amazomatic Amazon Affiliate Post Generator Plugin for WordPress

    This extremely feature rich plugin will generate money for you even in your sleep! Take advantage of the Amazon affiliate program and start to earn a passive income!

    Check the plugin here: https://1.envato.market/amazomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #amazon #affiliate #autoblog

    Pinterestomatic Automatic Post Generator and Pinterest Auto Poster Plugin for WordPress

    This plugin will generate content for you, even in your sleep using Pinterest feeds. Also, it will generate Pinterest posts every time you post on your blog a post with a linked video in the content.

    Check the plugin here: https://1.envato.market/pinterestomatic

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    #pinterest #pin #autoblog

    Social Auto Poster WordPress Plugin Bundle by CodeRevolution

    Social Auto Poster WordPress Plugin Bundle by CodeRevolution is a powerful collection of social network related plugins that will automatically generate posts TO and FROM: Facebook, Twitter, Youtube and Instagram. Future plans are to extend support for other social networks. Check it out! https://1.envato.market/socialbundle

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Youtubomatic Youtube Post Generator (2017 version)

    This plugin will generate content for you, even in your sleep using YouTube feeds. Also, it will generate YouTube videos every time you post on your blog a post with a linked video in the content.

    Check the plugin here: https://1.envato.market/youtubomatic

    Subscribe to this channel to get more videos like this (also hit bell notification)!

    How to create an news website on autopilot using Newsomatic plugin? https://www.youtube.com/watch?v=Pz1UStKiRJA

    How to import posts from Facebook groups to WordPress after the May 2018 Facebook API change? https://www.youtube.com/watch?v=3J1UHXiAQmU

    SUBSCRIBE? Help me reach 1,000 YouTube subscribers and enjoy new videos daily at https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WordPress Plugin Portfolio – https://1.envato.market/coderevolution

    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶WEBSITE? Check out my website and blog for news and tutorials on how to earn a passive income from the internet and how to build your online business https://coderevolution.ro/

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶JOIN? Become a of my website today to enjoy premium tutorials and content, at https://coderevolution.ro/join-the-site/

    ▶TIPS? See what services I use to power my business online and help me earn as an affiliate at https://coderevolution.ro/recommendations/

    ▶COURSES? Enjoy 4+ online courses on my school from Teachable, the online education platform I use: https://coderevolution.teachable.com/

    ▶SOCIALS!
    https://www.facebook.com/CodeRevolution.envato/
    https://www.youtube.com/c/SzabolcsKisded_CodeRevolution
    https://twitter.com/code2revolution
    https://www.instagram.com/coderevolution_envato/
    https://www.linkedin.com/company/18002194

    #youtubechannel #youtube #autoblog

    To your success,
    Szabi – CodeRevolution.

    FBomatic Automatic Post Generator and Facebook Auto Poster – WordPress Plugin (First Version)

    FBomatic Automatic Post Generator Plugin for WordPress is a breaking edge Facebook To WordPress post importer plugin that is ideal for autoblogging. It uses the Facebook Graph API to turn your website into a autoblogging or even a money making machine!
    What is interesting to know is that content from Facebook groups and pages are not indexed by search engines. So, content generated in this way is automatically considered as unique in term of SEO.
    Using this plugin, you can automatically generate posts based on a set of predefined rules. These rules can generate posts from:
    Any public Facebook group you are administrator of
    Any Facebook page
    Note: this plugin will not post from personal Facebook profiles – only public groups (admin) and pages!
    https://1.envato.market/fbomatic

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    #fbomatic #autoblog #facebook

    Echo RSS Feed Post generator Plugin for WordPress (First Version Released)

    This plugin will generate posts based on RSS feeds. It can generate and automatically run rules at a schedule. Best for autoblogging.
    It can also create custom RSS feeds for you blog.

    Check the plugin here: https://1.envato.market/echo

    ▶GEAR I USE IN MY VIDEOS?
    Microphone: Samson Go Mic (Great quality, Budget price): https://amzn.to/2KBk61G

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    #echo #rss #autoblog

    Hand of Midas Money Generator Envato Affiliate WordPress Plugin

    This extremely feature rich plugin will generate money for you even in your sleep! Take advantage of the Envato affiliate program and start to earn a passive income! Try it out now, link: https://1.envato.market/midas

    The transcript of the video: https://docs.google.com/document/d/10-BWunZ4o3vGE3IxUqbTKhpENQWtKiURDAYkRtWgOSw/edit?usp=sharing

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Mega WordPress Bundle by CodeRevolution

    Mega WordPress Bundle by Kisded is a powerful collection of all my WordPress plugins (you can view them also, in my portfolio on Envato Market).
    With this item, you can buy all my work, updates and support with a unique discount!
    Note that I will also add future WordPress plugins I will release to this bundle and if you buy it now, you will have also access to all my future work!

    This bundle is a must-have for any WordPress enthusiast.

    Check the bundle here: https://1.envato.market/bundle

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Tartarus Bot Blocker & Crawl Control Plugin for WordPress

    This plugin will analyse and block the traffic to your website from specific crawling bots (if you configure it so). It has many detection methods, based on user agent, bot traps (hidden links – only bots can see them) with robots.txt exclusion, honeypot commenting bot detection, robots.txt editing and many others. Check it out now!

    Plugin URL: https://1.envato.market/tartarus

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Icarus All In One Page Redirect Plugin for WordPress

    This plugin automatically redirects pages (with 301 redirect, or other types you choose), by the rules you set in the plugin control panel. Plugin features include: rule based redirects, Extended 404 Nearest Match Redirect, 404 Page Not Found Redirect, Random Post Generator Redirect, Login/Logout Redirect, Attachment Page Redirect, Comment Redirect, HTTP/HTTPS Redirect, Page Maintenance Mode, Time Based Redirect, Referrer Source, User Name Redirect, OS Based Redirect, wildcard support, device based redirect, login type based redirect, ip/ country/ language based redirect, browser version, time of day and many other settings based redirects. This is the most complete redirection plugin for WordPress on the market!

    Check it here: https://1.envato.market/icarus

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    Sphinx Browser Version Checker WordPress Plugin

    Sphinx Browser Version Checker WordPress Plugin is a tool to notify visitors that they should update their web browser in order to use your website. You can configure it to unobtrusively notify your users or you can choose to block your website for users who have old browser versions. You can choose between popup style or top panel display style. The plugin is fully configurable and easy to use!

    Check the plugin here: https://1.envato.market/sphinx

    ▶Portfolio – https://1.envato.market/coderevolution
    ▶DONT CLICK THIS – https://www.youtube.com/channel/UCVLIksvzyk-D_oEdHab2Lgg?sub_confirmation=1

    CodeRevolution Knowledge Base

    Video tutorials