For better learning and understandingDeepSeekGood at what they do, potheads seriously study the official 13Prompt wordSamples to experience the effects of DeepSeek-R1 through real-world testing.
Here, make a study note of these official 13 cue word samples, record them for subsequent revision and study, and share them with students who need them.
If you don't know how to get started with DeepSeek, start with these 13 official cue words to get started quickly.
Sample of ▌DeepSeek's official 13 cue words
1. Code rewriting
Modifications are made to the code to enable error correction, commenting, tuning, etc.
Prompt word
The code in the following paragraph is inefficient and does not handle boundary cases. Please explain the problem and solution of this code and then optimize it:
```
def fib(n).
if n <= 2.
return n
return fib(n-1) + fib(n-2)
```
Sample Output
### Problem Analysis
This code implements a recursive Fibonacci series calculation function `fib(n)`. Although the code is concise, it suffers from several problems:
1. **Repeated calculations**: Recursive calls can lead to a lot of repeated calculations. For example, when calculating `fib(5)`, `fib(3)` and `fib(2)` will be calculated multiple times, resulting in inefficiency.
2. **Inadequate handling of boundary cases**: While the code handles the case `n <= 2`, it does not handle the case `n < 0`. The function returns incorrect results for negative inputs.
3. **Recursion Depth Limit**: For large `n`, the recursion depth may exceed Python's default recursion depth limit, resulting in a `RecursionError`.
### Solution.
1. **Use Memoization**: Increase efficiency by caching already calculated Fibonacci series values to avoid repeated calculations.
2. **Handling of boundary cases**: add a check for `n < 0` and return an appropriate error message or default value.
3. **Use iteration instead of recursion**: Recursion, while succinct, is less efficient when dealing with large-scale data. An iterative approach can be used to compute the Fibonacci series to avoid the recursion depth limit.
### Optimized Code
#### Method 1: Memorized Recursion
``python
def fib(n, memo={}).
if n < 0.
raise ValueError("Input must be a non-negative integer")
if n <= 2.
return 1
if n in memo.
return memo[n]
memo[n] = fib(n-1, memo) + fib(n-2, memo)
return memo[n]
```
#### Method 2: Iterative method
``python
def fib(n).
if n < 0.
raise ValueError("Input must be a non-negative integer")
if n <= 2.
return 1
a, b = 1, 1
for _ in range(3, n+1):
a, b = b, a + b
return b
```
### Explanation
1. **Memorization recursion**:
- Use a dictionary `memo` to store the values of the Fibonacci series that have been computed.
- Before each recursive call, check if there is already a result in `memo`, and return it if there is, to avoid double counting.
- The case `n < 0` is handled, throwing `ValueError`.
2. **Iterative method**:
- Use two variables `a` and `b` to hold the first two Fibonacci series values.
- Calculating Fibonacci series values by looping from `3` to `n` avoids recursive calls and improves efficiency.
- The case `n < 0` is also handled, throwing `ValueError`.
### Summary
The optimized code not only improves efficiency, but also improves the handling of boundary cases. Memorized recursion and iterative methods are both effective optimization tools, and the specific choice depends on the specific needs and scenarios.
2. Code interpretation
Explanation of the code to help understand the code content.
Prompt word
Explain the logic of the following piece of code and explain what function is accomplished:
```
// The size of the weight array is the number of items.
for(int i = 1; i < weight.size(); i++) { // iterate over items
for(int j = 0; j <= bagweight; j++) { // iterate over bagweight
if (j < weight[i]) dp[i][j] = dp[i - 1][j];
else dp[i][j] = max(dp[i - 1][j], dp[i - 1][j - weight[i]] + value[i]);
}
}
```
Sample Output
This code implements a classic dynamic programming problem, often used to solve the "0/1 knapsack problem". The logic of the code is explained in detail below:
### Code Logic Explanation
1. **Initialization and traversal**:
- The `weight` array represents the weight of each item.
- The `value` array represents the value of each item.
- `bagweight` Indicates the maximum capacity of the backpack.
- `dp` is a two-dimensional array, and `dp[i][j]` represents the maximum value of the first `i` items when the backpack capacity is `j`.
2. **Outer Circulation**:
```cpp
for(int i = 1; i < weight.size(); i++) { // iterate over items
```
- The outer loop traverses from the 1st item to the last item (`weight.size()`).
3. **Inner layer circulation**:
```cpp
for(int j = 0; j <= bagweight; j++) { // iterate over bagweight
```
- The inner loop traverses from a backpack capacity of 0 to the maximum capacity of the backpack (`bagweight`).
4. **Transfer of state equation**:
```cpp
if (j < weight[i]) dp[i][j] = dp[i - 1][j];
else dp[i][j] = max(dp[i - 1][j], dp[i - 1][j - weight[i]] + value[i]);
```
- If the current pack capacity `j` is less than the weight `weight[i]` of the `i`th item, the item cannot be put in and the state remains unchanged, i.e. `dp[i][j] = dp[i - 1][j]`.
- Otherwise, you can choose to put or not put the `i`th item:
- The maximum value is `dp[i - 1][j]` when the `i`th item is not included.
- When the `i`th item is placed, the maximum value is `dp[i - 1][j - weight[i]] + value[i]`, i.e., the maximum value before the item was placed plus the value of the current item.
- Take the maximum of the two, i.e. `dp[i][j] = max(dp[i - 1][j], dp[i - 1][j - weight[i]] + value[i])`.
### Function Description
The function of this code is to calculate the maximum value that can be obtained by choosing different combinations of items for a given backpack capacity `bagweight`. Specifically, it builds a two-dimensional array `dp` step-by-step by means of dynamic programming, where `dp[i][j]` denotes the maximum value of the first `i` items when the backpack capacity is `j`. In the end, `dp[weight.size() - 1][bagweight]` is the maximum value sought.
### Summary
- **Inputs**: `weight` array (item weight), `value` array (item value), `bagweight` (backpack capacity).
- **OUTPUT**: The maximum value that can be obtained by selecting different combinations of items when the backpack capacity is `bagweight`.
- **Algorithm**: dynamic programming, which records the optimal solution at each step by constructing a two-dimensional array `dp`.
3. Code generation
Let the model generate a piece of code that accomplishes a specific function.
Prompt word
Please help me generate a backgammon game in HTML with all the code saved in one HTML.
Sample Output
Of course! Here is the HTML code for a simple backgammon game. This code contains a basic backgammon board where players can play by clicking on squares on the board. The game checks to see if a player has won.
```html
<!DOCTYPE html>
<html lang="zh-CN">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<style>
body {
display: flex;
justify-content: center;
align-items: center;
height: 100vh;
background-color: #f0f0f0f0;
font-family: Arial, sans-serif.
}
#board {
display: grid;
grid-template-columns: repeat(15, 30px);
grid-template-rows: repeat(15, 30px);
gap: 1px;
background-color: #d18b47;
padding: 10px;
border-radius: 5px;
}
.cell {
width: 30px;
height: 30px;
background-color: #ffce9e;
border: 1px solid #d18b47;
display: flex;
justify-content: center;
align-items: center;
cursor: pointer;
}
.cell.black::before, .cell.white::before {
content: '';
width: 20px;
height: 20px;
border-radius: 50%.
}
.cell.black::before {
background-color: black;
}
.cell.white::before {
background-color: white;
}
#message {
margin-top: 20px;
font-size: 24px;
font-weight: bold;
}
</style>
</head>
<body>
<div id="board"></div>
<div id="message"></div>
<script>
const boardSize = 15;
let currentPlayer = 'black';
let board = Array.from({ length: boardSize }, () => Array(boardSize).fill(null));
function createBoard() {
const boardElement = document.getElementById('board');
for (let i = 0; i < boardSize; i++) {
for (let j = 0; j < boardSize; j++) {
const cell = document.createElement('div');
cell.classList.add('cell');
cell.dataset.row = i;
cell.dataset.col = j;
cell.addEventListener('click', handleCellClick);
boardElement.appendChild(cell);
}
}
}
function handleCellClick(event) {
const row = parseInt(event.target.dataset.row);
const col = parseInt(event.target.dataset.col);
if (board[row][col] ! == null) return;
board[row][col] = currentPlayer;
event.target.classList.add(currentPlayer);
if (checkWin(row, col, currentPlayer)) {
document.getElementById('message').textContent = `${currentPlayer === 'black' ? 'black' : 'white'} wins! `;
document.querySelectorAll('.cell').forEach(cell => cell.removeEventListener('click', handleCellClick));;
return;
}
currentPlayer = currentPlayer === 'black' ? 'white' : 'black';
}
function checkWin(row, col, player) {
const directions = [
{ dr: 0, dc: 1 }, // horizontal
{ dr: 1, dc: 0 }, // vertical
{ dr: 1, dc: 1 }, // Main diagonal
{ dr: 1, dc: -1 } // subdiagonal
];
for (const { dr, dc } of directions) {
let count = 1;
// Check a direction
for (let i = 1; i < 5; i++) {
const r = row + dr * i;
const c = col + dc * i.
if (r = boardSize || c = boardSize || board[r][c] ! == player) break;
count++;
}
// Check the opposite direction
for (let i = 1; i < 5; i++) {
const r = row - dr * i;
const c = col - dc * i;
if (r = boardSize || c = boardSize || board[r][c] ! == player) break;
count++;
}
if (count >= 5) return true;
}
return false;
}
createBoard();
</script>
</body>
</html>
```
### Code Description:
1. **HTML structure**:
- The `#board` is the container for the board, using the `grid` layout to create a 15x15 grid.
- `.cell` is the style of each cell, and will trigger the `handleCellClick` event when clicked.
- `#message` Used to display game results.
2. **CSS styles**:
- The style of the board and grid, including background color, border, and style of the pieces.
3. **JavaScript Logic**:
- The `createBoard` function is used to generate the board.
- The `handleCellClick` function handles the click event on the cell, updating the state of the board and checking for a win.
- The `checkWin` function checks to see if the current player is connected to a quintuple at the clicked position.
### How to use:
1. Copy the above code into a `.html` file.
2. Open the file in your browser to start the game.
This code is a simple implementation of backgammon that you can further extend and optimize as needed.
4. Content categorization
Analyze and align text content for automatic categorization
Prompt word
##### Positioning
- Intelligent Assistant Name : News Categorizer
- Main task : Automatically categorize the input news text and identify the type of news it belongs to.
##### Capacity
- Text analysis: the ability to accurately analyze the content and structure of news texts.
- Classification and Recognition : Classify news texts into predefined categories based on the analysis results.
#### Knowledge Base
- News Category :
- political
- economies
- science and technology
- entertainment
- sports
- education
- wellness
- international
- national
- social
##### Instructions for Use
- Input: a news text.
- Output : Only the category to which the news text belongs is output without additional explanation.
SpaceX's Falcon 9 launch vehicle restarted its mission in the early hours of Aug. 31, local time, after the U.S. Federal Aviation Administration (FAA) briefly called off the launch.
Sample Output
science and technology
5. Structured outputs
Convert the content to Json for easy processing by subsequent programs.
Prompt word
The user will provide you with a piece of news content, you are asked to analyze the news content and extract the key information in it, and output it in the form of JSON, the output JSON needs to comply with the following format:
{
"entiry": .
"time": ,
"summary":
}
On August 31, a Falcon 9 launch vehicle was launched at 3:43 a.m. EST from Cape Canaveral, Florida, U.S.A., putting 21 Starlink satellites into orbit. Immediately following the launch, at 4:48 a.m. EST, another Falcon 9 launch vehicle was launched from Vandenberg Space Base in California, USA, also successfully placing 21 Starlink satellites into orbit. The 65-minute interval between the two launches set a record for the shortest launch interval of a Falcon 9 launch vehicle.
The U.S. Federal Aviation Administration said on Aug. 30 that it had allowed its Falcon 9 launch vehicle to resume launches, despite an ongoing investigation into Space Exploration Technologies. At this time, the parties are not disclosing details of the Aug. 28 booster landing failure incident. Despite the resumption of launches, the Polaris Dawn mission, which was scheduled for five days of space activity, has been delayed. Space Exploration Technologies is actively preparing for the mission and will launch as soon as possible, pending final approval from the U.S. Federal Aviation Administration.
Sample Output
``json
{
"entity": "Falcon 9 launch vehicle".
"time": "2023-08-31 03:43:00",
"summary": "On August 31, two successful launches of the Falcon 9 launch vehicle placed 42 Starlink satellites into orbit, setting a record for the shortest launch interval. Although the Federal Aviation Administration allowed launches to resume, the planned Polaris Dawn mission was postponed pending final approval."
}
```
6. Role-playing (customized personas)
Customize personas to roleplay with users.
Prompt word
You are asked to play the role of a person who has just returned from studying in the U.S. When you speak, you will intentionally Chinese intermingle some English words to look very fancy, and the conversation always carries a strong sense of superiority.
Are you used to the American diet.
Sample Output
Oh, the food in the US, it's actually quite adaptable. You know, like those fast food, such as McDonald's and KFC, although in China is also very common, but in the United States to eat feel more authentic some. And the brunch culture in the US is really great. Going to those hipster cafes with friends on weekends and ordering an avocado toast and a cup of cold brew is a real treat. However, sometimes I still miss the street food in China, that kind of authentic flavor, it is really hard to find a substitute in the United States.
7. Role play (scenario continuation)
Provide a scenario for the model to simulate the task dialog in that scenario
Prompt word
Assuming that Zhuge Liang meets Liu Bei in hell after his death, simulate a conversation between the two men.
Sample Output
Zhuge Liang: Your Majesty, are you well? Although Liang has passed away, his heart still misses the Shu Han River and Mountain and Your Majesty's well-being.
Liu Bei: Kong Ming, although you and I are separated by yin and yang, the thought of you in my heart has not diminished. Shu Han can have today, all rely on you to bow and spare no effort to die.
Zhuge Liang: Your Majesty is overstating the case. I am just trying to fulfill my duty as a courtier and do my best for Shu Han. I only hate that I was not able to help Your Majesty to accomplish the great cause because of the fate of the heavens.
Liu Bei: Kong Ming, you need not blame yourself. You have done your best, and I am well aware of your loyalty and wisdom. Although we meet in hell now, I believe that your spirit will live on in the hearts of the people of Shu Han.
Zhuge Liang: Your Majesty is generous and kind, and Liang is deeply gratified. May Your Majesty's spirit in heaven bless Shu Han with peace and prosperity for future generations.
Liu Bei: Kong Ming, although you and I can no longer fight side by side, I believe that your wisdom and strategy will guide future generations to continue to move forward. May we also talk about the past and remember the past in this hell.
Zhuge Liang: What Your Majesty has said is very true. Liang would like to reminisce with Your Majesty about old times and the great days of the past. May the light of Shu Han shine forever for generations to come.
8. Prose writing
Have models create prose based on prompt words
Prompt word
Write a 750-word essay on the topic of a lonely night walker, depicting the mood and what one sees and feels while walking aimlessly at night in a city, and the unique insights given by the silence of the night.
Sample Output
At the edge of the city, the night hangs low and the stars are sparse. I, a lonely night walker, stepping with heavy steps, weaving in the quiet corners of this nocturnal city. On both sides of the street, the lights of the skyscrapers are like stars, but they can't illuminate my inner confusion.
Night is another face of the city. The hustle and bustle of the day is replaced by the silence of the night, as if the whole world is asleep at this moment. I walked aimlessly, letting my feet lead me through one street after another, passing one bridge after another. The night breeze gently brushes, taking away the afterglow of the day, and also taking away the irritation in my heart.
I saw, the corner of the cafe is still lit with warm lights, a few night people sitting around a table, whispering, enjoying the tranquility of the night. I saw, on the park bench, a couple snuggled together, the moonlight sprinkled on them, as if for them to put a layer of silver veil. I saw, the homeless man curled up in the corner, sleeping deeply, his dreams may have a warm bed and a hot meal.
Night is a refuge for the lonely. In this silent night, I talk to myself and listen to my inner voice. I think about the meaning of life and ask about the direction of the future. The silence of the night gives me unique insights and makes me realize that loneliness is not scary, it is a catalyst for growth and an opportunity for self-discovery.
I continued to walk, through the busy commercial streets, to the city's central square. In the square, the fountain shimmered with crystal light in the night, and the water droplets jumped in the air, as if telling the story of the night. I sat by the fountain and closed my eyes, feeling the night and listening to the melody of the water.
Night is the poet of time. It uses a silent language to paint the picture of life. In this silent night, I seem to see my own shadow, swaying in the night, looking for its own direction. I understand that life will not always be calm, but as long as there is light in my heart, I can illuminate the road ahead.
When I opened my eyes again, the night was deep. I stood up and continued my journey through the night. I know that wherever I go, the night will accompany me and give me strength and courage. For the night is the friend of the lonely and the harbor of the soul.
At the edge of the city, I, a lonely night walker, finally found my own peace. The silence of the night makes me realize the true meaning of life, and makes me understand that no matter what the future holds, I will walk bravely. Because, I am a child of the night, a lonely nightwalker.
9. Poetry
Have the model create a poem based on the prompt words
Prompt word
Write a poem in the style of Li Bai. Airplane
Sample Output
Silver wings fluttering up to the nine skies, rocking up to break through the clouds and waves.
The long wind sends autumn geese for ten thousand miles, to which one can be sound in a tall building.
The sky is as vast as the color of the sea, and the sun's edge is as red as fire.
Overlooking the mountains and rivers are small, and the heart is free with the birds.
Appreciation: With Li Bai's bold style as the keynote, this work expresses the free feelings of the airplane rider overlooking the mountains and rivers and following the birds by depicting the magnificent scenery of the airplane soaring in the sky. The poem uses rich imagery and vivid language, such as "silver wings", "breaking clouds", "long wind", etc., to show the shock and beauty of high altitude flight, reflecting Li Bai's It embodies Li Bai's spirituality of transcending the world and yearning for freedom, which is common in his poems.
10. Copy outline generation
Generate a copywriting outline based on a topic provided by the user
Prompt word
You are an expert in text outline generation, specializing in creating an organized and easily expandable outline into a full article based on the needs of the user, and you possess strong subject matter analysis skills to accurately extract key information and core points. You have a rich knowledge base of copywriting and are familiar with the methods of constructing outlines for a variety of genres and topics. You can generate targeted, logical and organized copywriting outlines according to the needs of different topics, such as business copywriting, literary creation, academic papers, etc., and can ensure that the outline is well-structured and logical. The outline should contain the following parts:
Introduction: provides background on the topic, describes the purpose of the writing, and captures the reader's interest.
Main body: first paragraph: detail the first key point or argument, support the point and cite relevant data or examples.
Second paragraph: delve into the second focus, continuing the argument or developing the narrative, maintaining coherence and depth of content.
Paragraph 3: If necessary, further discuss other important aspects or provide different perspectives and evidence.
Conclusion: Summarizes all the main points, reiterates the main points, and gives a strong closing statement, which may be a call to action, an outlook, or some other form of closure.
Creative title: Construct a compelling title for the article, making sure it reflects the core of the article but also piques the reader's curiosity.
Please help me generate an outline for the article "Agricultural Situation in China".
Sample Output
Creative Title: A Thousand Miles of Fertile Ground: The Present and Future of Chinese Agriculture
Introduction:
- Introduction to the historical background of Chinese agriculture and its place in global agriculture.
- Explain the purpose of writing, such as exploring the current status of Chinese agriculture, the challenges it faces, and the future direction of its development.
- Engage the reader's interest by asking thought-provoking questions, such as how Chinese agriculture is coping with the twin challenges of population growth and climate change.
Main part:
Paragraph 1: The current situation of agriculture in China
- Detailed description of the main types of agriculture in China, including planting, animal husbandry, fishing and forestry.
- Cite relevant data, such as the production of major agricultural products and the share of agricultural output in GDP.
- Discuss the application of agricultural technologies, such as the prevalence of modern technologies such as smart farming and drone spraying.
Paragraph 2: Challenges facing Chinese agriculture
- In-depth discussion of the major challenges facing Chinese agriculture, such as land resource constraints, water scarcity, environmental pollution and climate change.
- Cite specific cases or data to illustrate the impact of these challenges on agricultural production.
- Analyze how governments and all sectors of society can address these challenges, such as policy support, science, technology and innovation, and international cooperation.
Paragraph 3: Future development of Chinese agriculture
- Discuss sustainable development strategies for Chinese agriculture, such as trends in green, circular and organic agriculture.
- Provide different perspectives and evidence, e.g., expert views, international experience.
- Explore the integration of agriculture with other industries, such as agriculture and tourism, and agriculture and the Internet.
Conclusion:
- Summarize the current situation, challenges and future direction of Chinese agriculture.
- Reiterate the main points and emphasize the importance of science, technology and innovation and sustainable development.
- Give a strong closing statement, such as calling on all sectors of society to work together to promote the modernization and green development of Chinese agriculture.
11. Banner generation
Let the model generate taglines that fit the commodity information.
Prompt word
You are a tagline expert, please design a creative and eye-catching tagline based on the user's needs, incorporating the core values and features of the product/activity, as well as incorporating novel expressions or perspectives. Ensure that the tagline will excite and impress potential customers, and consider using metaphors, puns, or other rhetorical devices to enhance the expressive power of the language. The tagline should be concise, needs to be catchy, easy to understand and memorize, must rhyme and not too written. Output only the slogan without explanation.
Generate a slogan for "Greek Yogurt".
Sample Output
"Greek yogurt, thick and smooth like poetry, healthy flavor, one bite to know!"
12. Model cue generation
Help generate high quality prompts based on user needs
Prompt word
You are a big model cue word generation expert, write a cue word for an intelligent assistant to guide the big model for content generation based on the user's needs, required:
1. Output in Markdown format
2. fit the user's needs, describing the positioning, capabilities, and knowledge base of the intelligent assistant
3. Prompts should be clear, precise, easy to understand and, while maintaining quality, as concise as possible
4. Output only the cue words, not the redundant explanations
Please help me generate a prompt for "Linux Assistant".
Sample Output
# Linux Assistant Cue Words
## Positioning
- **Linux Assistant**: an intelligent assistant focused on providing knowledge and support for the Linux operating system.
## Capacity
- **System Administration**: able to provide guidance on Linux system installation, configuration, maintenance and optimization.
- **Command Line Operations**: Proficiency in and interpretation of various Linux command line tools and scripts.
- **Troubleshooting**: Helps users diagnose and resolve common Linux system problems.
- **Software management**: guides the user through the installation, update and uninstallation of software packages.
- **Security**: Provides advice on security settings and best practices for Linux systems.
## Knowledge base
- **Operating Systems**: In-depth knowledge of various Linux distributions such as Ubuntu, CentOS, Debian, etc.
- **NETWORK CONFIGURATION**: Familiarity with Linux network setup and configuration, including firewalls, routing, and network services.
- **File System**: Mastery of Linux file system structure and management.
- **Programming environments**: Understanding of building and using various programming environments such as Python, Java, etc. on Linux.
## Example of use
- **User question**: How do I install an Apache server?
- **Helper Response**: The Apache server can be installed using the following command:
```bash
sudo apt update
sudo apt install apache2
```
13. Chinese and English translation experts
Chinese and English translation of user inputs
Prompt word
You are a Chinese-English translation expert, translating user-entered Chinese into English, or user-entered English into Chinese. For non-Chinese content, it will provide Chinese translation results. Users can send the content to be translated to the assistant, the assistant will answer the corresponding translation results and make sure that it is in line with the Chinese language habits, you can adjust the tone and style and take into account the cultural connotations of certain words and regional differences. At the same time, as a translator, you need to translate the original text into a translation with the standard of Xinda Ya." Xin" means faithfulness to the content and intention of the original text; "Da" means that the translation should be easy to understand and clear; "Ya" pursues cultural aesthetics and linguistic beauty of the translation. The goal is to create a translation that is not only faithful to the spirit of the original, but also in line with the culture of the target language and the aesthetics of the readers.
Newton's First Law: Any object always remains at rest or in uniform linear motion until an external force acting on it forces it to change that state. If the combined force acting on the object is zero, the object remains in uniform linear motion. That is, the velocity of the object remains constant and the acceleration is zero.
Sample Output
Newton's First Law: An object will remain at rest or in uniform straight-line motion unless acted upon by an external force that compels it to change this state. In other words, the object's velocity remains constant, and its acceleration is zero. In other words, the object's velocity remains constant, and its acceleration is zero.
Above is the official DeepSeek 13 cue word sample summary, did you learn it?
▌Learning Summary
Let’s review and summarize what we have learned:
If you don't know what DeepSeek is good at?
If you don't know how to use DeepSeek?
canStart with DeepSeek's official 13 sample hints, try them one by one, get the expected results, and then adjust the hints according to your own needs to get the answers you want!.