Table of Contents
1. 系统分析
1.1 系统流程
1.2 系统任务
1.3 使用模块
1.4 最终效果
2. 创建程序的逻辑
3. 创建辅助函数发送HTML,创建表单,接收表单数据
4. 用MySQL添加数据
5. 删除MySQL数据
6. 更新MySQL数据
7. 获取MySQL数据
8. 渲染MySQL记录
9. 渲染HTML表单
10. 试一下
Home Database Mysql Tutorial 用MySQL构建一个工作跟踪流程_MySQL

用MySQL构建一个工作跟踪流程_MySQL

May 27, 2016 pm 01:45 PM
process

为了了解在Node中如何使用MySQL,我们来看一个需要RDBMS的程序。
假设你要创建一个Web程序,用来记录你是如何度过工作日的。这需要记录工作的日期,花在工作上的时间,以及工作完成情况的描述。

1. 系统分析

1.1 系统流程

这个程序会有个表单,用来输入工作的详细信息,如图:
这里写图片描述
? 工作信息输入后,可以被归档或删除,让它不再显示在用来输入更多工作的输入域上方,如图。 点击“Archived Work”链接可以把之前归档的工作项全部显示出来。
这里写图片描述
?

1.2 系统任务

创建程序逻辑 创建程序工作所需的辅助函数 编写让你可以用MySQL添加、删除、更新和获取数据的函数 编写渲染HTML记录和表单的代码

1.3 使用模块

这个程序会用Node内置的http模块实现Web服务器的功能,用一个第三方模块跟MySQL服务器交互。一个名为timetrack的定制模块,它是程序特有的函数,用来在MySQL中存储、修改和获取数据。图5-4是这个程序的概览。
先用下面这条命令安装这个很受欢迎的MySQL Node模块:

<code class="language-npm hljs cmake">npm install mysql</code>
Copy after login

这里写图片描述
?

1.4 最终效果

最终结果如图5-5所示,一个可以用来记录所做工作的简单Web程序,还可以回顾、归档及删除工作记录。
这里写图片描述
?

2. 创建程序的逻辑

接下来需要创建两个文件存放程序逻辑。这个两个文件分别是: timetrack_server.js,用来启动程序; timetrack.js,包含程序相关功能的模块。
先创建timetrack_server.js,把代码清单5-7中的代码放到里面。这段代码包含Node的HTTPAPI,程序特定的逻辑以及MySQL API。根据你的MySQL配置填入host、 user和password这些设定值。

<code class="language-javascript hljs ">var http = require( &#39;http&#39; ) ;
var work = require( &#39;./lib/timetrack&#39; ) ;
var mysql = require( &#39;mysql&#39; ) ;

var db = mysql.createConnection( {
    host: &#39;127.0.0.1&#39;,
    user: &#39;root&#39;,
    password: &#39;root&#39;,
    database: &#39;timetrack&#39;
} ) ;</code>
Copy after login

接下来添加代码清单5-8中的逻辑,定义Web程序的行为。用这个程序可以浏览、添加和删除工作执行记录。此外还可以归档工作记录。被归档的工作记录不再出现在主页面上,但还可以在一个单独的Web页面上浏览。

<code class="language-javascript hljs ">var server = http.createServer( function (req, res) {
    switch ( req.method ) {
        case &#39;POST&#39;: {
            switch ( req.url ) {
                case &#39;/&#39;: {
                    work.add( db, req, res ) ;
                    break ;
                }
                case &#39;/archive&#39;: {
                    work.archive( db, req, res ) ;
                    break ;
                }
                case &#39;/delete&#39;: {
                    work.delete(db, req, res) ;
                    break ;
                }
            }
            break ;
        }

        case &#39;GET&#39;: {
            switch ( req.url ) {
                case &#39;/&#39;: {
                    work.show( db, res ) ;
                    break ;
                }
                case &#39;http://blog.csdn.net/archived&#39;: {
                    work.showArchived( db, res ) ;
                    break ;
                }
            }
            break ;
        }
    }
} ) ;</code>
Copy after login

代码清单5-9是timetrack_server.js中的最后一块代码。这段代码创建了一个数据库表(如果不存在的话) , 启动HTTP服务器,监听本机的3000端口。所有的node-mysql查询都用query函数执行。

<code class="language-javascript hljs ">db.query(
    &#39;create table if not exists work ( &#39; +
    &#39;id int(10) not null auto_increment, &#39; +
    &#39;hours decimal(5, 2) default 0, &#39; +
    &#39;date date, &#39; +
    &#39;archived int(1) default 0, &#39; +
    &#39;description longtext, &#39; +
    &#39;primary key(id) )&#39;,
    function (err) {
        if (err) throw err ;
        console.log( &#39;Server started...&#39; ) ;
        server.listen( 3000, &#39;127.0.0.1&#39; ) ;
    }
) ;</code>
Copy after login

3. 创建辅助函数发送HTML,创建表单,接收表单数据

启动程序的文件已经完成,该创建定义程序其他功能的文件了。创建一个名为lib的目录,然后在这个目录下创建文件timetrack.js。把代码清单5-10中的代码放到这个文件中,其中包含Node querystring API,并定义了辅助函数,用来发送Web页面HTML,接收通过表单提交的数据。

<code class="language-npm hljs cmake">npm install querystring</code>
Copy after login
<code class="language-javascript hljs ">var qs = require( &#39;querystring&#39; ) ;

exports.sendHtml = function (res, html) {
    res.setHeader( &#39;Content-Type&#39;, &#39;text/html&#39; ) ;
    res.setHeader( &#39;Content-Length&#39;, Buffer.byteLength( html ) ) ;
    res.end( html ) ;
} ;

exports.parseReceivedData = function (req, cb) {
    var body = &#39;&#39; ;
    req.setEncoding( &#39;utf8&#39; ) ;
    req.on( &#39;data&#39;, function (chunk) {
        body = chunk ;
    } ) ;
    req.on( &#39;end&#39;, function () {
        var data = qs.parse( body ) ;
        cb( data ) ;
    } ) ;
} ;

exports.actionForm = function (id, path, label) {
    var html = &#39;</code>
Copy after login
&#39; + &#39;<input name="id" type="hidden" value="' + id + '" />&#39; + &#39;<input type="submit" value="' +label+ '" />&#39; + &#39;
&#39; ; return html ; } ;

4. 用MySQL添加数据

辅助函数到位了,该编写往MySQL数据库里添加工作记录的代码了。把下面代码清单里的代码添加到timetrack.js中。

<code class="language-javascript hljs ">exports.add = function (db, req, res) {
    exports.parseReceivedData( req, function (work) {
        db.query(
            &#39;insert into work( hours, date, description ) &#39; +
            &#39;values ( ?, ?, ? )&#39;,
            [ work.hours, work.date, work.description ],
            function (err) {
                if (err) throw err ;
                exports.show( db, res ) ;
            }
        ) ;
    } ) ;
} ;</code>
Copy after login

注意上面代码中的问号(?),这是用来指明应该把参数放在哪里的占位符。在添加到查询语句中之前, query方法会自动把参数转义,以防遭受到SQL注入攻击。此外还要留意一下query方法的第二个参数,是一串用来替代占位符的值。

5. 删除MySQL数据

<code class="language-javascript hljs ">exports.delete = function (db, req, res) {
    exports.parseReceivedData(req, function (work) {
        db.query(
            &#39;delete from work where id = ?&#39;,
            [work.id],
            function (err) {
                if (err) throw err ;
                exports.show( db, res ) ;
            }
        ) ;
    } ) ;
} ;</code>
Copy after login

6. 更新MySQL数据

为了实现更新工作记录的逻辑,将它标记为已归档,把下面的代码添加到timetrack.js中。

<code class="language-javascript hljs ">exports.archive = function (db, req, res) {
    exports.parseReceivedData( req, function (work) {
        db.query(
            &#39;update work set archived = 1 where id = ?&#39;,
            [work.id],
            function (err) {
                if (err) throw err ;
                exports.show( db, res ) ;
            }
        ) ;
    } ) ;
} ;</code>
Copy after login

7. 获取MySQL数据

添加、删除、更新工作记录的逻辑已经定义好了,现在可以把代码清单5-14中的逻辑添加到到timetrack中,用来获取工作记录数据(归档的或未归档的),从而把它渲染为HTML。在发起查询时传入了一个回调函数,它的参数rows是用来保存返回的查询结果的。

<code class="language-javascript hljs ">exports.show = function (db, res, showArchived) {
    console.log( &#39;in show function&#39; ) ;
    var query = &#39;select * from work &#39; +
       &#39;where archived = ? &#39; +
       &#39;order by date desc &#39; ;
    var archiveValue = (showArchived) ? 1 : 0 ;
    console.log( &#39;archiveValue:&#39; + archiveValue ) ;
    db.query(
        query,
        [archiveValue],
        function (err, rows) {
            console.log( rows ) ;
            if (err) throw err ;
            html = (showArchived)
                ? &#39;&#39;
                : &#39;Archived Work
&#39; ;
            html += exports.workHitlistHtml( rows ) ;
            html += exports.workFormHtml() ;
            exports.sendHtml(res, html) ;
        }
    ) ;
} ;

exports.showArchived = function (db, res) {
    exports.show(db, res, true) ;
}</code>
Copy after login

8. 渲染MySQL记录

将下面代码清单中的代码添加到timetrack.js中。它会将工作记录渲染为HTML。

<code class="language-javascript hljs ">exports.workHitlistHtml = function (rows) {
    var html = &#39;&#39; ;
    for( var i in rows ) {
        html += &#39;&#39; ;
        html += &#39;&#39;
        html += &#39;&#39;
        html += &#39;&#39;
        if ( !rows[i].archived ) {
            html += &#39;&#39;
        }
        html += &#39;&#39; ;
    }
    html += &#39;</code>
Copy after login
&#39; + rows[i].date + &#39; &#39; + rows[i].hours + &#39; &#39; + rows[i].description + &#39; &#39; + exports.workArchiveForm( rows[ i ].id ) + &#39; &#39; +exports.workDeleteForm( rows[i].id )+ &#39;
&#39; ; return html ; } ;

9. 渲染HTML表单

<code class="language-javascript hljs ">exports.workFormHtml = function () {
   var html = &#39;</code>
Copy after login
&#39; + &#39;

Date (YYYY-MM-DD):<br /> <input name="date" type="text" />

&#39; + &#39;

Hours worked:<br /> <input name="hours" type="text" />

&#39; + &#39;

Description:
&#39; + &#39;

&#39; + &#39;&#39; + &#39;
&#39; ; return html ; } ; exports.workArchiveForm = function (id) { return exports.actionForm(id, '/archive', 'Archive') ; } ; exports.workDeleteForm = function (id) { return exports.actionForm( id, '/delete', 'Delete' ) ; } ;

10. 试一下

程序已经做完了,现在可以运行了。记得先用MySQL管理工具创建名为timetrack的数据库。然后在命令行中用下面的命令启动程序:

<code class="language-node hljs avrasm">node timetrack_server.js</code>
Copy after login

最后在浏览器中访问http://127.0.0.1:3000

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months ago By 尊渡假赌尊渡假赌尊渡假赌
Two Point Museum: All Exhibits And Where To Find Them
1 months ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

How to open multiple Toutiao accounts? What is the process for applying for a Toutiao account? How to open multiple Toutiao accounts? What is the process for applying for a Toutiao account? Mar 22, 2024 am 11:00 AM

With the popularity of mobile Internet, Toutiao has become one of the most popular news information platforms in my country. Many users hope to have multiple accounts on the Toutiao platform to meet different needs. So, how to open multiple Toutiao accounts? This article will introduce in detail the method and application process of opening multiple Toutiao accounts. 1. How to open multiple Toutiao accounts? The method of opening multiple Toutiao accounts is as follows: On the Toutiao platform, users can register accounts through different mobile phone numbers. Each mobile phone number can only register one Toutiao account, which means that users can use multiple mobile phone numbers to register multiple accounts. 2. Email registration: Use different email addresses to register a Toutiao account. Similar to mobile phone number registration, each email address can also register a Toutiao account. 3. Log in with third-party account

Are Douyin sleep anchors profitable? What are the specific procedures for sleep live streaming? Are Douyin sleep anchors profitable? What are the specific procedures for sleep live streaming? Mar 21, 2024 pm 04:41 PM

In today's fast-paced society, sleep quality problems are plaguing more and more people. In order to improve users' sleep quality, a group of special sleep anchors appeared on the Douyin platform. They interact with users through live broadcasts, share sleep tips, and provide relaxing music and sounds to help viewers fall asleep peacefully. So, are these sleep anchors profitable? This article will focus on this issue. 1. Are Douyin sleep anchors profitable? Douyin sleep anchors can indeed earn certain profits. First, they can receive gifts and transfers through the tipping function in the live broadcast room, and these benefits depend on their number of fans and audience satisfaction. Secondly, the Douyin platform will give the anchor a certain share based on the number of views, likes, shares and other data of the live broadcast. Some sleep anchors will also

The mission strategy guide for the Collapsed Star Dome Railway through the Shadow of Death The mission strategy guide for the Collapsed Star Dome Railway through the Shadow of Death Mar 28, 2024 pm 01:10 PM

What to do when traveling through the Shadow of Death on the Collapsed Star Dome Railway? Walking through the Shadow of Death is one of the main quests [Cat among Doves], and it is also the final stage of the main quest. Below, the editor will provide a detailed explanation of the mission of Walking through the Shadow of Death on the Collapsed Star Dome Railway, for those who are interested. Come and take a look. 1. After completing the previous stage of the plot, you will be automatically transferred to the location in the picture below. After talking to March 7, you will enter the dungeon. Remember to form a team. 2. The backup plan is to fight [Stone Heart Ten] Weird Placer Gold, with four teams. The best character tactics and finishing skills are group attacks, and it is best to bring a shield and milk. This [Stone Heart Ten] strange sand gold is difficult to hit. When rolling the dice, if your points are greater than the sand gold, you will not be beaten. And after the end, the amount of finishing skills will be fully restored. If it is less than that, you will be beaten, so try to bring a group attack character to gain points. in boss

All the sad stories of the Collapsed Star Railroad mission strategy guide All the sad stories of the Collapsed Star Railroad mission strategy guide Mar 28, 2024 pm 01:26 PM

What to do with all the sad stories of the Collapsed Star Dome Railway? All Sad Stories is part of the main quest [Cat among Pigeons]. The process at this stage is relatively long. Below, the editor will provide a detailed explanation of the All Sad Stories quest on the Collapsed Star Dome Railway. Friends, please take a look. 1. After completing the previous stage, you will be automatically transferred to the second new map [Cloak Film and Television Park]. Follow the mission all the way from 1 [Pinball Machine] to 2 location and follow the third character. After completing the plot, go to Talk to the child in the 4th position and complete the mini-game [Speed ​​and Nuts]. A mini-game similar to Tiantian Cool Run is very simple. 3. Then the tracking task is to fly from position 1 [pinball machine] in the picture below to position 2 4. After arriving at the position in the picture below, you need to walk through the maze. After entering from the left, keep walking to the right to reach task point 15.

Detailed explanation and optimization strategy of php-fpm request processing process Detailed explanation and optimization strategy of php-fpm request processing process Jul 07, 2023 pm 01:52 PM

Detailed explanation and optimization strategy of php-fpm request processing process 1. Introduction In web application development, PHP is a very popular server-side scripting language. And php-fpm (FastCGIProcessManager) is a manager of PHP, used to process PHP requests. This article will introduce the request processing process of php-fpm in detail, and discuss how to optimize php-fpm and improve the performance of web applications. 2. php-fpm request processing process When the client initiates a request

Vue development experience sharing: experience in optimizing development process and work efficiency Vue development experience sharing: experience in optimizing development process and work efficiency Nov 22, 2023 am 10:53 AM

Vue.js is a popular JavaScript framework for building user interfaces and single-page applications. Its concise syntax, flexibility and powerful functions make it the first choice of many developers. In recent project development, my team and I have accumulated some experience in optimizing development processes and work efficiency, which we would like to share with you. First of all, as the basis for Vue.js development, we must fully understand the ecosystem and core concepts of Vue.js. The core concepts of Vue.js include data-driven and component systems

Introduction to software development process in Java language Introduction to software development process in Java language Jun 10, 2023 am 11:07 AM

The Java language is a widely used object-oriented programming language and is widely used in enterprise-level software development. In the Java language, the software development process is a very important part, which can help the development team complete software development tasks more efficiently. This article will introduce the software development process in the Java language and discuss the tasks to be completed at each stage. Requirements Analysis Phase The first step in software development is to conduct requirements analysis, which is aimed at determining the software requirements. During the requirements analysis phase in Java language, the development team needs

Basic process of building big data applications using PHP Basic process of building big data applications using PHP May 11, 2023 pm 04:58 PM

In recent years, with the explosive growth of data volume, the demand for big data applications is increasing. As a popular programming language, PHP is widely used in web development and can also be used to build big data applications. This article will introduce the basic process of building big data applications using PHP, including data processing, storage and analysis. 1. Data processing Data processing is the first step in big data application. Its purpose is to collect data from various sources and conduct preliminary processing and cleaning for storage, analysis and use. PHP can be used

See all articles