Monday 19 August 2024

Making Prompts for Profile Web Site

 

Prompt: Can you create prompt to craft better draft in a given topic.

Response: Sure! Could you please specify the topic for which you'd like a drafting prompt? This will help me tailor the prompt to your needs.

Prompt: Assume yourself as AI Prompt Engineering expert. Ask me iterative question to improve my prompt " Create a profile web page with stunning look and 3d design wioth code"

Response: let's refine your prompt step by step. I'll ask you a series of questions to better understand your needs and preferences.

  1. Audience and Purpose: Who is the target audience for this profile web page? Is it for personal use, a professional portfolio, or something else?

  2. Content: What specific sections do you want on the profile web page? For example, "About Me," "Projects," "Skills," "Contact Information," etc.

  3. Design Style: When you say "stunning look," can you describe any specific design styles or elements you prefer? For example, minimalist, modern, vibrant, dark theme, etc.

  4. 3D Elements: What kind of 3D design are you looking for? Is it 3D graphics, animations, interactive elements, or something else?

  5. Technologies: Are there specific technologies or frameworks you want to use for this project? For instance, HTML, CSS, JavaScript, Three.js, WebGL, etc.

  6. Functionalities: Are there any specific functionalities or features you want to include? For example, a responsive design, animations, interactivity, or backend integration.

  7. Inspiration: Do you have any example websites or designs that you like and would want to emulate? If so, please share them.

Answering these questions will help us create a more detailed and effective prompt.

Prompt: Audience: Learners or students. Content : "About Me," "Projects," "Skills," "Contact Information, "Experience", "Research Guidance", "Publications", "Projects:" Design Style: vibrant Technolgy: HTML, CSS3, Javascript Functionality : Responsive with smooth animations Inspiration: Coursera, Udemy

Response: Great! Based on your answers, here's a refined version of your prompt:


Prompt:

Create a profile web page aimed at learners or students with the following sections: "About Me," "Projects," "Skills," "Contact Information," "Experience," "Research Guidance," "Publications," and "Projects." The design should be vibrant and inspired by platforms like Coursera and Udemy. The page should be responsive, feature smooth animations, and be built using HTML, CSS3, and JavaScript. Include 3D design elements to enhance the visual appeal.

Now Prompt is crafted! Great!



Thursday 15 August 2024

Designing a Multi-Layered Prompt for Adaptive Code Suggestions - Sample

Designing a Multi-Layered Prompt for Adaptive Code Suggestions

A multi-layered prompt involves designing a sequence of conditional, contextual, and iterative prompts that adapt based on the user's needs. The prompt layers interact to refine, optimize, and enhance the code generation process.

Steps to Design a Multi-Layered Prompt

  1. Define the Layers and Their Roles:

    • Layer 1 (Contextual Prompting): Understand the user’s intent and gather information about the coding task.
    • Layer 2 (Conditional Prompting): Adapt the code based on specific conditions or user preferences.
    • Layer 3 (Iterative Prompting): Refine the output through multiple iterations, offering enhancements or debugging as needed.
  2. Design the Flow of the Prompt:

    • Start by asking the user for the task they want to achieve.
    • Based on the input, select the appropriate code template or strategy (e.g., simple function, optimized version, or advanced implementation).
    • Continue adapting based on feedback and offer iterative improvements.
  3. Implement Logic to Switch Between Layers:

    • Use logical checks or decision trees to guide the flow between layers.
    • Allow user feedback to trigger refinement or enhancement processes.

Sample Project: Adaptive Code Generator for Sorting Algorithms

Let’s create a Python-based project where a multi-layered prompt generates code for sorting algorithms, adapting based on the user’s context and needs.

Layer 1: Contextual Prompting

Objective: Determine the user’s goal and gather input.

Prompt:

  • “What type of sorting algorithm do you need? (Options: Bubble Sort, Quick Sort, Merge Sort)”
  • “Do you prefer a basic implementation, optimized code, or an advanced version with additional features (e.g., performance metrics)?”

User Input Example:

  • “Quick Sort, with performance metrics.”

Layer 2: Conditional Prompting

Objective: Generate the code based on the user’s choice.

Conditional Logic:

  • If the user requests a basic implementation, provide a standard Quick Sort.
  • If the user requests an optimized implementation, provide an in-place Quick Sort.
  • If the user requests an advanced implementation with metrics, add performance measurements.

Sample Python Code (Advanced Implementation with Metrics):

python code
import time def quick_sort(arr): if len(arr) <= 1: return arr pivot = arr[len(arr) // 2] left = [x for x in arr if x < pivot] middle = [x for x in arr if x == pivot] right = [x for x in arr if x > pivot] return quick_sort(left) + middle + quick_sort(right) def quick_sort_with_metrics(arr): start_time = time.time() sorted_arr = quick_sort(arr) end_time = time.time() execution_time = end_time - start_time print(f"Execution Time: {execution_time:.6f} seconds") return sorted_arr # User input arr = [12, 4, 5, 6, 7, 3, 1, 15] sorted_arr = quick_sort_with_metrics(arr) print("Sorted Array:", sorted_arr)

Layer 3: Iterative Prompting

Objective: Refine the code based on feedback, offering further optimizations or debugging help.

Iterative Process:

  • User Feedback: “The code is good, but can you optimize memory usage?”
  • Iteration 1: Suggest an in-place Quick Sort to reduce space complexity.

Updated Code:

python code
def quick_sort_in_place(arr, low, high): if low < high: pivot_index = partition(arr, low, high) quick_sort_in_place(arr, low, pivot_index - 1) quick_sort_in_place(arr, pivot_index + 1, high) def partition(arr, low, high): pivot = arr[high] i = low - 1 for j in range(low, high): if arr[j] <= pivot: i += 1 arr[i], arr[j] = arr[j], arr[i] arr[i + 1], arr[high] = arr[high], arr[i + 1] return i + 1 # User input arr = [12, 4, 5, 6, 7, 3, 1, 15] quick_sort_in_place(arr, 0, len(arr) - 1) print("Sorted Array:", arr)

Project Work: Implementing the Multi-Layered Prompt in Python

Project Objective: Build a Python-based command-line tool that takes user inputs, adapts based on context, and offers different versions of sorting algorithms.

  1. Project Structure:

    • main.py: The main program that handles user input and logic.
    • sorting_algorithms.py: A module containing the different sorting algorithms.
    • metrics.py: A module for calculating performance metrics.
  2. Step-by-Step Implementation:

    • Start by capturing user input for the algorithm type and implementation preference.
    • Based on the input, call the appropriate function from sorting_algorithms.py.
    • If metrics are requested, use functions from metrics.py to measure performance.
    • Implement an interactive loop that allows the user to request further optimizations or additional features.
  3. Sample main.py:

python code
from sorting_algorithms import bubble_sort, quick_sort, merge_sort, quick_sort_with_metrics from metrics import measure_performance def get_user_input(): print("Choose a sorting algorithm: Bubble Sort, Quick Sort, Merge Sort") algorithm = input("Algorithm: ").strip().lower() print("Choose implementation: Basic, Optimized, Advanced") implementation = input("Implementation: ").strip().lower() return algorithm, implementation def main(): algorithm, implementation = get_user_input() if algorithm == "quick sort": if implementation == "basic": arr = [int(x) for x in input("Enter numbers separated by space: ").split()] sorted_arr = quick_sort(arr) print("Sorted Array:", sorted_arr) elif implementation == "advanced": arr = [int(x) for x in input("Enter numbers separated by space: ").split()] sorted_arr = quick_sort_with_metrics(arr) print("Sorted Array:", sorted_arr) # Add similar logic for Bubble Sort and Merge Sort with different implementations if __name__ == "__main__": main()
  1. Running the Project:
    • Execute the script in the command line.
    • Provide inputs as prompted, and observe how the script adapts based on your choices.
    • Experiment with feedback and request enhancements to see how the layers interact.

Key Learnings:

  • The multi-layered approach enables highly adaptive code suggestions, offering context-specific outputs while allowing room for refinement.
  • By organizing the logic into layers, the system remains flexible, handling both simple and complex scenarios with ease.
  • You can extend this framework to other coding tasks like API integrations, data analysis, or even full-stack applications.

This project demonstrates how to design and implement a multi-layered prompt for adaptive Python code generation. It balances user intent with conditional logic and iterative improvements to deliver tailored, context-aware solutions.

Advanced Meta Prompting Strategies

Below are use cases for each of the advanced meta prompting strategies (layering prompts, multi-agent prompting, and dynamic role assignment) specifically applied to Python code generation.

1. Layering Prompts: Combining Multiple Meta-Prompting Types

Concept: This strategy involves creating a multi-layered prompt that incorporates several types of meta-prompting, such as conditional, iterative, and contextual prompting, to deliver a refined and complex output.

Use Case: Adaptive Python Code Generation for a Web Scraping Script Imagine you’re designing an AI prompt that helps users generate Python code for web scraping. The goal is to adjust the code based on the user’s requirements: whether they want basic scraping, error handling, or advanced features like data extraction and storage.

Meta Prompt Structure:

  • Layer 1 (Contextual Prompting): "What is the purpose of the web scraping? Basic data extraction, error-resilient scraping, or advanced automation?"
  • Layer 2 (Conditional Prompting): Depending on the response, the prompt generates either simple code, adds error handling, or implements advanced techniques like data parsing and storage.
  • Layer 3 (Iterative Prompting): If the user asks for more features or improvements, the code is refined, iteratively adding functionalities such as retry mechanisms or customizable headers.

Scenario:

  1. User Input: "I want a script to scrape titles from a webpage."
  2. Generated Code (Basic):
    python code
    import requests from bs4 import BeautifulSoup url = "https://example.com" response = requests.get(url) soup = BeautifulSoup(response.text, "html.parser") titles = [title.get_text() for title in soup.find_all("h1")] print(titles)
  3. User Request for Improvements: "Can you add error handling and retries?"
  4. Refined Code (Advanced):
    python code
    import requests from bs4 import BeautifulSoup from requests.exceptions import RequestException import time def fetch_page(url, retries=3): for i in range(retries): try: response = requests.get(url, timeout=10) response.raise_for_status() return response except RequestException as e: print(f"Error: {e}. Retrying... ({i+1}/{retries})") time.sleep(2) return None url = "https://example.com" response = fetch_page(url) if response: soup = BeautifulSoup(response.text, "html.parser") titles = [title.get_text() for title in soup.find_all("h1")] print(titles) else: print("Failed to retrieve webpage.")

2. Multi-Agent Prompting: Using Different "Roles" or "Agents" for Various Aspects of a Task

Concept: This strategy involves dividing the task into different roles or agents, each handling

 a specific aspect of the code generation process.

Use Case: Collaborative Python Code Generation with Specialized Agents Imagine a scenario where the prompt uses multiple agents, each focusing on specific concerns like code structure, optimization, and documentation.

Meta Prompt Structure:

  • Agent 1 (Code Architect): Focuses on the overall structure and design of the code.
  • Agent 2 (Performance Optimizer): Refines the code for performance and efficiency.
  • Agent 3 (Documentation Specialist): Generates comprehensive comments and docstrings for the code.

Scenario:

  1. User Input: "I need a Python function to calculate the nth Fibonacci number using dynamic programming."
  2. Agent 1 - Code Architect:
    • Generates the initial structured code.
    python code
    def fibonacci(n): dp = [0] * (n + 1) dp[1] = 1 for i in range(2, n + 1): dp[i] = dp[i-1] + dp[i-2] return dp[n]
  3. Agent 2 - Performance Optimizer:
    • Suggests a space-optimized version.
    python code
    def fibonacci(n): if n <= 1: return n a, b = 0, 1 for _ in range(2, n + 1): a, b = b, a + b return b
  4. Agent 3 - Documentation Specialist:
    • Adds comments and a docstring.
    python code
    def fibonacci(n): """ Calculate the nth Fibonacci number using an iterative approach. Args: n (int): The position of the Fibonacci number to calculate. Returns: int: The nth Fibonacci number. """ if n <= 1: return n a, b = 0, 1 for _ in range(2, n + 1): a, b = b, a + b return b

3. Dynamic Role Assignment: Adjusting the Prompt’s Objective Mid-Conversation

Concept: The prompt dynamically switches objectives based on user feedback or evolving requirements, allowing the generation process to pivot as needed.

Use Case: Evolving Code Requirements for a Python Data Analysis Script Imagine you’re working with a prompt that dynamically adjusts between code generation, debugging, and enhancement based on user requests.

Meta Prompt Structure:

  • Initial Role: Start with generating basic code.
  • Pivot to Debugging: If issues arise, the prompt pivots to debugging.
  • Pivot to Enhancement: After basic functionality is confirmed, the prompt focuses on optimization or adding new features.

Scenario:

  1. User Input: "Generate a Python script to analyze a CSV file and find the average of a column."
  2. Initial Role - Code Generation:
    python code
    import pandas as pd def calculate_average(csv_file, column_name): df = pd.read_csv(csv_file) return df[column_name].mean() # Usage average = calculate_average('data.csv', 'column_name') print(f'Average: {average}')
  3. User Feedback: "I’m getting an error when the column contains non-numeric data."
  4. Pivot to Debugging:
    python code
    import pandas as pd def calculate_average(csv_file, column_name): df = pd.read_csv(csv_file) # Handle non-numeric values numeric_data = pd.to_numeric(df[column_name], errors='coerce') return numeric_data.mean() # Usage average = calculate_average('data.csv', 'column_name') print(f'Average: {average}')
  5. User Request for Enhancements: "Can you also add support for handling missing values and a summary of the column?"
  6. Pivot to Enhancement:
    python code
    import pandas as pd def calculate_average(csv_file, column_name): df = pd.read_csv(csv_file) # Handle non-numeric values and missing data numeric_data = pd.to_numeric(df[column_name], errors='coerce') mean_value = numeric_data.mean() summary = df[column_name].describe() print("Column Summary:") print(summary) return mean_value # Usage average = calculate_average('data.csv', 'column_name') print(f'Average: {average}')

These use cases illustrate how advanced meta-prompting strategies can adapt Python code generation to meet evolving requirements, manage complex scenarios, and produce high-quality outputs tailored to specific coding contexts.

Course: Meta Prompting in AI and Coding Applications

Course: Meta Prompting in AI and Coding Applications



Course Outline

  1. Introduction to Meta Prompting

    • What is Meta Prompting?
    • Why Meta Prompting Matters in AI and Coding
    • Key Concepts: Dynamic Prompts, Conditional Logic, Contextual Adaptation
  2. Types of Meta Prompting

    • 1. Conditional Prompting
      • Definition: Adapting responses based on specific conditions or logic.
      • Examples: Adapting based on user input, code context, or error handling.
      • Use Cases:
        • Syntax error detection and correction.
        • Adapting between code optimization suggestions and basic corrections.
    • 2. Iterative Prompting
      • Definition: Generating prompts that iteratively refine responses through feedback loops.
      • Examples: Code refactoring through step-by-step improvement.
      • Use Cases:
        • Gradually improving the efficiency of algorithms.
        • Assisting with multi-step debugging by refining suggestions.
    • 3. Contextual Prompting
      • Definition: Adapting prompts based on the broader context provided by the user.
      • Examples: Adjusting based on language preference, difficulty level, or specific requirements.
      • Use Cases:
        • Generating beginner-friendly versus advanced-level code.
        • Adapting code structure based on memory or performance constraints.
  3. Advanced Meta Prompting Strategies

    • Layering Prompts: Combining multiple meta-prompting types.
    • Multi-Agent Prompting: Using different "roles" or "agents" for various aspects of a task.
    • Dynamic Role Assignment: Adjusting the prompt’s objective mid-conversation.
  4. Use Cases and Real-Life Applications in Coding

    • Use Case 1: Adaptive Code Generation
      • Problem: A user wants to generate code for different languages based on specific tasks.
      • Meta Prompt Solution: Create a prompt that switches between languages or even between pseudocode and detailed implementations depending on context.
    • Use Case 2: Smart Debugging Assistant
      • Problem: A user wants assistance debugging code errors while also learning.
      • Meta Prompt Solution: Offer explanations alongside error corrections and provide additional tips for improvement based on feedback.
    • Use Case 3: Customized Learning Paths in Coding
      • Problem: Users at different skill levels require personalized learning tracks.
      • Meta Prompt Solution: A prompt that evaluates skill level and adapts by offering beginner-friendly tasks or advanced challenges.
  5. Implementing Meta Prompting in Coding Projects

    • Designing and Structuring Meta Prompts
    • Integrating Meta Prompts in AI Models (GPT-3/4, Code Models)
    • Testing and Iterating Meta Prompts for Improved Responses
  6. Best Practices and Common Pitfalls

    • Ensuring Consistent Logic in Conditional Prompts
    • Balancing Simplicity and Flexibility
    • Avoiding Ambiguity in Layered Prompts
  7. Project Work

    • Designing a Multi-Layered Prompt for Adaptive Code Suggestions
    • Creating a Context-Aware Assistant for Different Programming Languages
    • Building an Iterative Debugging Assistant with Feedback Loops
  8. Conclusion and Next Steps

    • Review of Key Learnings
    • Future Trends in Meta Prompting and AI
    • Resources for Further Exploration

Course Objectives

By the end of this course, you’ll be able to:

  • Understand different types of meta prompting and their applications.
  • Design and implement dynamic and adaptive prompts for coding use cases.
  • Apply meta prompting techniques to real-world coding projects, from code generation to debugging.

Would you like a more detailed breakdown of any specific section or assistance with a particular project related to meta prompting?

 Meta prompting involves designing prompts that adapt to different scenarios or goals by embedding dynamic logic or conditions. It’s about creating layered instructions where prompts can adjust based on user input, context, or feedback.


Use Case 1: Adaptive Code Suggestions

Imagine you’re building a coding assistant for Python that helps with syntax corrections. Instead of a static prompt like "Correct the Python code," you use a meta prompt that adapts to what the user needs:

Meta Prompt: "If the user’s code contains syntax errors, provide a corrected version. If no syntax errors are detected, offer suggestions for optimizing the code."

Scenario: A user inputs a block of Python code:

python

for i in range(10) print(i)

Here, the assistant detects the missing colon in the for loop. Based on the meta prompt logic, it first corrects the syntax:

python

for i in range(10): print(i)

If the syntax is correct, the assistant can then suggest enhancements, like using list comprehension:

python

[print(i) for i in range(10)]

Use Case 2: Context-Aware Code Generation

When generating code snippets, the meta prompt can adjust based on the programming task or language context specified by the user.

Meta Prompt: "Depending on whether the user specifies a language, generate a code snippet in that language or suggest a pseudocode outline."

Scenario: A user requests a binary search implementation:

  1. User specifies: Python
    • The assistant generates Python code:
    python
    def binary_search(arr, x): low, high = 0, len(arr) - 1 while low <= high: mid = (low + high) // 2 if arr[mid] == x: return mid elif arr[mid] < x: low = mid + 1 else: high = mid - 1 return -1
  2. User doesn’t specify a language:
    • The assistant provides a high-level pseudocode outline:
    vbnet code
    Set low to 0 and high to length of array - 1. While low is less than or equal to high: Set mid as the average of low and high. If element at mid is equal to the target, return mid. Else if the element is less than the target, set low to mid + 1. Else, set high to mid - 1. Return -1 if target not found.

This approach makes your prompts more versatile and contextually aware, giving users tailored responses based on their input.


Wednesday 10 July 2024

How to make portfolio web site free using ChatGPT + CodePen easily

Let us login to https://chat.openai.com


Enter Prompt 

Create a mobile responsibe web page with the following 6 tabs namely About me, Academic, Administrative, Research, Identities, establishments. Give html, css, javascript to build the website000

Take ChatGPT Prompts : https://chatgpt.com/share/bb00faf3-bac3-4d7b-bac8-c31dd99c8ea3 and have Fun

Test Contents from : https://candy090121.github.io/


In ABout Me Tab, add in Table "Name RM. CHANDRASEKARAN Date of Birth (dd/mm/yyyy) 24/01/1960 Age (as on 04.03.2022, mm/yy) 02 Months/ 62 Years Place of birth KARAIKUDI Nationality INDIAN Category OC Mother tongue TAMIL Address for Correspondence 2/111, Ramu Illam, Murali’s Park Avenue II street, C. Kothankudi, Annamalainagar, Chidambaram 608002 Permanent Address As Above Phone / Mobile No 9790215636 Email ID aurmc@hotmail.com, aurmc60@gmail.com"

In "About Me" tab add one more row for "Profile photo" with link "https://i1.rgstatic.net/ii/profile.image/272461996490785-1441971410907_Q128/Dr-Chandrasekaran.jpg" alt="Profile Photo" class="profile-photo"


In "academic" tab, add table with 4 rows 5 columns with headers "Degree" , "University", "year", "Major Subject", "Grades". Pack row details with "1 Ph.D. Annamalai 2006 CSE Commented 2 M.E. Anna/CEG 1998 CSE First Class with Distinction 3 M.B.A. Annamalai 1995 Systems First Class 4 B.E. TCE, Madurai 1982 EEE First Class" In Research Tab, add a table with Headers "S.No. Name of Candidate Topic of Doctoral Research Year" and data as " 1 Dr. M. Govindarajan Classifier Based Text Mining Approaches for Data Mining Applications. 2010 2 Dr. S. Audithan Document Image Segmentation based on Discrete Wavelet Transform and Haralick Statistical Features. 2011 3 Dr. S. Vijaybhanu Performance of VoIP over IEEE 802.11 WLAN: Analysis and Enhancement. 2012 4 Dr. TK. Thivakaran Machine Vision Based Surface Roughness Analysis Using Wavelet Transforms With Neural Network Approach. 2013 5 Dr. A. Valarmathi A congestion-aware multi-path dynamic source routing protocol with QOS for mobile ad hoc network. 2013 6 Dr. V.R. Sarma Dhulipala Selective conceptual approaches in frameworks and Algorithms for fault tolerance and trustworthiness for reliable communication in wireless sensor networks. 2013 7 Dr. V. Kalaichelvi Secured Electronic Voting Systems” proposes conceptual frameworks and algorithms. 2014 8 Dr. A. Boomarani @Malany Quality of Service based Mobile Ad Hoc Network Framework for Reliable Communication. 2015 9 Dr. T. Sakthivel Node Misbehavior Analysis, Detection and mitigation techniques on ADHOC Wireless Networks. 2015 10 Dr. A. Shanthini A Study on Software Testing metrics for Fault prediction using Machine Learning. 2015 11 Mrs. N. Suguna A study on Program Slicing Techniques for Testing and Fault Localization (20.9.2014) 2015 12 Mr. S. Saravanan Simple Secured and Adaptive (SSA) Approaches for Network Intruder Detection over MANET. (March,2015) 2015 13 Mrs. N. Ponnammal Data Mining Techniques for Cancer Detection 2015 14 Mrs. Kavitha (Mother Therasa University, Kodaikanal) Data Mining Approaches for various Diseases 2015 15 Mrs. G. Vinothini Performance Evaluation of Machine Learning Classifiers in Sentiment Mining 2015 16 Mr. P. Anbalagan GIS Related Mining for Land Sliding Prediction 2016 17 Mrs. P. Dhanalakshmi Optimized Shortest Path Routing Using Soft Computing Techniques 2016 18 Mr. R. Suban Intelligent Framework for Customer Retention of MCDR using DM Approaches 2016 19 Mrs. Sri Deivanai Nagarajan Study on Data Mining Approaches for Health Care Systems : Gestational Diabetes 2017 20 Mr. Udyakumar Pandian Studies on data preprocessing for DACC Aspects 2017 21 Mrs. S. Artheeswari A Data Mining Approach in Cloud For Secure, Scalable and Efficient Retrieval of Data 2018" 


Add Identities tab for thye table with two colums with headers "source" "link" with the following data " Vidwan https://vidwan.inflibnet.ac.in/profile/117556 Scopus https://www.scopus.com/authid/detail.uri?authorId=7006808993 Scholar https://scholar.google.co.in/citations?user=Oap3Yg4AAAAJ ORCiD https://orcid.org/0000-0002-4665-7847"

Give me splash screen code only for this web page with following message " Welcome to RMC's Quick & Smart Learning Sessions"

Give me code only for adding Administrtive tab in a table in the with headers " S. No. Position Organisation / University Duration Experience (in years & months)" and data as "1 Head of the Institute/ University Founder Registrar, Anna University, Tiruchirappalli 08/05/2007 - 07/05/2010 3 years 2 Head of the Division (Dean, etc.,) Director, Directorate of Distance Education 07/11/2013 - 07/01/2016 2 years & 2 months 3 Head of Department Controller of Examination, Annamalai 08/01/2016 - 20/02/2019 3 years & 1 month 4 Head of Centres Founder Director, Annamalai Innovation Centre 01/04/2013 - 01/07/2014 1 year & 3 months"

Add code for Establishment Tab in a table with the heders as " S. No. Title Sponsors Name Duration Amount of Grant (in Rupees) Role" and data as "1 Campus-Wide Network with 1064 Nodes MHRD, New Delhi 3 Years 2 crores Network Manager for Installation and Maintenance 2 Multimedia Centre MODROBS, AICTE 1 Year 20 lacs Establishment of CBT production infra with 40 Workstations 3 6-Academic Campuses of Anna University, Tiruchy in , Tirukkuvalai, Panruti, Raja Madam, Ramanathapuram, Dindigul and , Ariyalur Higher Education Department, TN Govt. 3 Years 3 crores Registrar for establishing and recruiting Teaching and Non-Teaching staff for 6 campuses "

Login thru gmail account

copy html, css, js in from chatgpt response to code pen html, css, js panels

Once done. In codepen, Name the project, export zip file

In browser, click index.html to see your web site similar to shown below



Great! you have donw with your portfolio with chatgPT and Codepen!!!

-------------------

can you translat the web site contents in tamil

Copy index.html alone and replace the old with new one

-----------------------------------------

you can see web page like this:


Great With ChatGPT, you can traslate the web page to different language with one prompt and generate code !!!! How Eeeeeasy!!!

Wednesday 26 June 2024

Prompts for Abstract | Title | Keywords

 Prompts for Abstract/ Title/ Keywords

Write an abstract within 300 words on topic follow the flow like Introduction and importance , methods for data collection and data analysis, results, inference, implications and future scope. Ensure abstract is simple, clear , concise. Make it suitable for IEEE journals.

Write title for a research paper by considering the above abstract.Ensure Title is One-phrase summary and within 8 to 15 words suitable for journal submission.

Generate specific keywords for a research paper considering the abstract [ABSTRACT] on [Title].Ensure keywords with 5-7 words, discoverable by search engines, suitable for journal submission.

Tools : 

ChatGPT

typeset.io
originLab - Data analysis and Graphs
SciSpace - Time saving research AI Tools

Plaigiarism Checkers
turnitin
AI text Classifier
GPTZero
GLTR
CopyLeaks
Sapling.AI
OriginalityAI
Crossplag
===============================================================================================================


Making Prompts for Profile Web Site

  Prompt: Can you create prompt to craft better draft in a given topic. Response: Sure! Could you please specify the topic for which you...