??xml version="1.0" encoding="utf-8" standalone="yes"?>av大大超碰在线,暧暧视频在线免费观看,91成人在线播放http://www.aygfsteel.com/Javawind/archive/2008/05/27/203343.htmlkooyeekooyeeTue, 27 May 2008 14:28:00 GMThttp://www.aygfsteel.com/Javawind/archive/2008/05/27/203343.htmlhttp://www.aygfsteel.com/Javawind/comments/203343.htmlhttp://www.aygfsteel.com/Javawind/archive/2008/05/27/203343.html#Feedback1http://www.aygfsteel.com/Javawind/comments/commentRss/203343.htmlhttp://www.aygfsteel.com/Javawind/services/trackbacks/203343.htmlUsing Comments Effectively

The object of an effective coding style is to make the program more understandable and maintainable. Most programs will benefit from documentation which explains what is going on inside those programs. There are two forms of code documentation: external and internal. External documentation is descriptive information about a program which is written and stored separately from the program itself. Internal documentation, also known as inline documentation or comments, is placed within the program itself, either at the program level or the statement level. (For an introduction to inline documentation and the types of PL/SQL comments, see the section called "Comments" in Chapter 2.)

The best kind of internal documentation derives from your programming style. If you apply many of the guidelines in this chapter and throughout this book, you will be able to write code which is, to a great extent, self-documenting. Here are some general tips:

  • Write straightforward code that avoids clever tricks.

     

  • Think of names for variables and modules that accurately describe their purpose.

     

  • Use named constants instead of literal values.

     

  • Employ a clean, consistent layout.

     

Do all these things and more, and you will find that you need to write fewer comments to explain your code.

Reducing the need for comments is important. Few developers make or have the time for extensive documentation in addition to their development efforts, and, more importantly, many comments tend to duplicate the code. This raises a maintenance issue because those comments will have to be changed when the code is changed.

While it is my hope that after reading this book you will write more self-documenting code, there is little doubt that you will still need to comment your code. The following example shows the use of single- and multiline comments in PL/SQL:

PROCEDURE calc_totals (company_id IN NUMBER,--The company key
                       total_type IN VARCHAR2--ALL or NET
                      );
 
/*
|| For every employee hired more than five years ago,
|| give them a bonus and send them an e-mail notification.
*/
FOR emp_rec IN emp_cur (ADD_MONTHS (SYSDATE, -60))
LOOP
   apply_bonus (emp_rec.employee_id);
   send_notification (emp_rec.employee_id);
END LOOP;
 
-- IF :SYSTEM.FORM_STATUS = 'CHANGED' THEN COMMIT; END IF;
 
FUNCTION display_user 
   (user_id IN NUMBER /* Must be valid ID */, user_type IN VARCHAR2)

The first example uses the single-line comment syntax to include endline descriptions for each parameter in the procedure specification. The second example uses a multiline comment to explain the purpose of the FOR loop. The third example uses the double-hyphen to comment out a whole line of code. The last example embeds a comment in the middle of a line of code using the block comment syntax.

These two types of comments offer the developer flexibility in how to provide inline documentation. The rest of this section offers guidelines for writing effective comments in your PL/SQL programs.

Comment As You Code

It is very difficult to make time to document your code after you have finished writing your program. Psychologically, you want to (and often need to) move on to the next programming challenge after you get a program working.

You may also have a harder time writing your comments once you have put some distance between your brain cells and those lines of code. Why exactly did you write the loop that way? Where precisely is the value of that global variable set? Unless you have total recall, post-development documentation can be a real challenge.

The last and perhaps most important reason to write your comments as you write your code is that the resulting code will have fewer bugs and (independent of the comments themselves) be easier to understand.

When you write a comment you (theoretically) explain what your code is meant to accomplish. If you find it difficult to come up with that explanation, there is a good chance that you lack a full understanding of what the program does or should do.

The effort that you make to come up with the right comment will certainly improve your comprehension, and may also result in code correction. In this sense, good inline documentation can be as beneficial as a review of your code by a peer. In both cases, the explanation will reveal important information about your program.

Explain the Why--Not the How--of Your Program

What do you think of the comments in the following Oracle Forms trigger code?

-- If the total compensation is more than the maximum...
IF :employee.total_comp > maximum_salary
THEN
   -- Inform the user of the problem.
   MESSAGE ('Total compensation exceeds maximum. Please re-enter!');
 
   -- Reset the counter to zero.
   :employee.comp_counter := 0;
 
   -- Raise the exception to stop trigger processing.
   RAISE FORM_TRIGGER_FAILURE;
END IF;

None of these comments add anything to the comprehension of the code. Each comment simply restates the line of code, which in most cases is self-explanatory.

Avoid adding comments simply so that you can say, "Yes, I documented my code!" Rely as much as possible on the structure and layout of the code itself to express the meaning of the program. Reserve your comments to explain the Why of your code: What business rule is it meant to implement? Why did you need to implement a certain requirement in a certain way?

In addition, use comments to translate internal, computer-language terminology into something meaningful for the application. Suppose you are using Oracle Forms GLOBAL variables to keep track of a list of names entered. Does the following comment explain the purpose of the code or simply restate what the code is doing?

/* Set the number of elements to zero. */
:GLOBAL.num_elements := 0;

Once again, the comment adds no value. Does the next comment offer additional information?

/* Empty the list of names. */
:GLOBAL.num_elements := 0;

This comment actually explains the purpose of the assignment of the global to zero. By setting the number of elements to zero, I will have effectively emptied the list. This comment has translated the "computer lingo" into a description of the effect of the statement. Of course, you would be even better off hiding the fact that you use this particular global variable to empty a list and instead build a procedure as follows:

PROCEDURE empty_list IS

BEGIN

:GLOBAL.num_elements := 0;

END;

Then to empty a list you would not need any comment at all. You could simply include the statement:

empty_list;

and the meaning would be perfectly clear.

Make Comments Easy to Enter and Maintain

You shouldn't spend a lot of time formatting your comments. You need to develop a style that is clean and easy to read, but also easy to maintain. When you have to change a comment, you shouldn't have to reformat every line in the comment. Lots of fancy formatting is a good indication that you have a high-maintenance documentation style. The following block comment is a maintenance nightmare:

/*
===========================================================
| Parameter          Description                          |
|                                                         |
| company_id         The primary key to company           |
| start_date         Start date used for date range       |
| end_date           End date for date range              |
===========================================================
*/

The right-justified vertical lines and column formatting for the parameters require way too much effort to enter and maintain. What happens if you add a parameter with a very long name? What if you need to write a longer description? A simpler and more maintainable version of this comment might be:

/*
===========================================================
| Parameter - Description               
|                                                         
| company_id - The primary key to company 
| start_date - Start date used for date range 
| end_date - End date for date range       
===========================================================
*/

I like to use the following format for my block comments:

/*
|| I put the slash-asterisk that starts the comment on a line all by
|| itself. Then I start each line in the comment block with a double

|| vertical bar to highlight the presence of the comment. Finally,

|| I place the asterisk-slash on a line all by itself.

*/

On the negative side, the vertical bars have to be erased whenever I reformat the lines, but that isn't too much of an effort. On the positive side, those vertical bars make it very easy for a programmer who is scanning the left side of the code to pick out the comments.

I put the comment markers on their own lines to increase the whitespace in my program and set off the comment. That way I can avoid "heavy" horizontal lines full of delimiters, such as asterisks or dashes, and avoid having to match the longest line in the comment.

Maintain Indentation

Inline commentary should reinforce the indentation and therefore the logical structure of the program. For example, it is very easy to find the comments in the make_array procedures shown below. I do not use any double-hyphens, so the slash-asterisk sequences stand out nicely. In addition, all comments start in the first column, so I can easily scan down the left-hand side of the program and pick out the documentation:

PROCEDURE make_array (num_rows_in IN INTEGER) 
/* Create an array of specified numbers of rows */
IS
/* Handles to Oracle Forms structures */
   col_id GROUPCOLUMN;
   rg_id RECORDGROUP;
BEGIN
/* Create new record group and column */
   rg_id := CREATE_GROUP ('array');
   col_id := ADD_GROUP_COLUMN ('col');
/* 
|| Use a loop to create the specified number of rows and 
|| set the value in each cell.
*/
   FOR row_index IN 1 .. num_rows_in
   LOOP
/* Create a row at the end of the group to accept data */
      ADD_GROUP_ROW (return_value, END_OF_GROUP);
      FOR col_index IN 1 .. num_columns_in
      LOOP
/* Set the initial value in the cell */
         SET_GROUP_NUMBER_CELL (col_id, row_index, 0); 

END LOOP;

   END LOOP;
END;

The problem with these comments is precisely that they do all start in the first column, regardless of the code they describe. The most glaring example of this formatting "disconnect" comes in the inner loop, repeated below:

      FOR col_index IN 1 .. num_columns_in
      LOOP
/* Set the initial value in the cell */
         SET_GROUP_NUMBER_CELL (col_id, row_index, 0); 
      END LOOP;

Your eye follows the three-space indentation very smoothly into the loop and then you are forced to move all the way to the left to pick up the comment. This format disrupts your reading of the code and therefore its readability. The code loses some of its ability to communicate the logical flow "at a glance," because the physical sense of indentation as logical flow is marred by the comments. Finally, you may end up writing full-line comments which are much longer than the code they appear next to, further distorting the code.

Your comments should always be indented at the same level as the code which they describe. Assuming the comments come before the code itself, those lines of descriptive text will initiate the indentation at that logical level, which will also reinforce that structure. The make_array procedure, properly indented, is shown below:

PROCEDURE make_array (num_rows_in IN INTEGER) 
/* Create an array of specified numbers of rows */
IS
   /* Handles to Oracle Forms structures */
   col_id GROUPCOLUMN;
   rg_id RECORDGROUP;
BEGIN
   /* Create new record group and column */
   rg_id := CREATE_GROUP ('array');
   col_id := ADD_GROUP_COLUMN ('col');
   /* 
   || Use a loop to create the specified number of rows and 
   || set the value in each cell.
   */
   FOR row_index IN 1 .. num_rows_in
   LOOP
      /* Create a row at the end of the group to accept data */
      ADD_GROUP_ROW (return_value, END_OF_GROUP);
      FOR col_index IN 1 .. num_columns_in
      LOOP
         /* Set the initial value in the cell */
         SET_GROUP_NUMBER_CELL (col_id, row_index, 0); 

END LOOP;

END LOOP;

END;

Comment Declaration Statements

I propose the following simple rule for documenting declaration statements:

Provide a comment for each and every declaration.

Does that sound excessive? Well, I must admit that I do not follow this guideline at all times, but I bet people who read my code wish I had. The declaration of a variable which seems to me to be perfectly clear may be a source of abiding confusion for others. Like many other people, I still have difficulty understanding that what is obvious to me is not necessarily obvious to someone else.

Consider the declaration section in the next example. The commenting style is inconsistent. I use double-hyphens for a two-line comment; then I use the standard block format to provide information about three variables all at once. I provide comments for some variables, but not for others. It's hard to make sense of the various declaration statements:

DECLARE
   -- Assume a maximum string length of 1000 for a line of text.
   text_line VARCHAR2 (1000);
   len_text    NUMBER;
   /*
   || Variables used to keep track of string scan:
   ||    atomic_count - running count of atomics scanned.
   ||    still_scanning - Boolean variable controls WHILE loop.
   */
   atomic_count NUMBER := 1;
   still_scanning BOOLEAN;
BEGIN

Let's recast this declaration section using my proposed guideline: a comment for each declaration statement. In the result shown below, the declaration section is now longer than the first version, but it uses whitespace more effectively. Each declaration has its own comment, set off by a blank line if a single-line comment:

DECLARE
   /* Assume a maximum string length of 1000 for a line of text. */
   text_line VARCHAR2 (1000);
 
   /* Calculate length of string at time of declaration */
   len_string NUMBER;
 
   /* Running count of number of atomics scanned */
   atomic_count NUMBER := 1;
 
   /* Boolean variable that controls WHILE loop */
   still_scanning BOOLEAN ;
BEGIN


kooyee 2008-05-27 22:28 发表评论
]]>
[Oracle]each row and table level triggershttp://www.aygfsteel.com/Javawind/archive/2008/04/05/190965.htmlkooyeekooyeeSat, 05 Apr 2008 11:36:00 GMThttp://www.aygfsteel.com/Javawind/archive/2008/04/05/190965.htmlhttp://www.aygfsteel.com/Javawind/comments/190965.htmlhttp://www.aygfsteel.com/Javawind/archive/2008/04/05/190965.html#Feedback0http://www.aygfsteel.com/Javawind/comments/commentRss/190965.htmlhttp://www.aygfsteel.com/Javawind/services/trackbacks/190965.html
table level triggers: 是table改变Ӟ触发trigger。无论几个row改变都没影响, 比如Q?个row update触发1?,Q个row updateQ也触发1ơ?br />
Z转个教程

Before / for each row trigger

A before trigger is called before because it fires before the new values (:new.field_name) are stored in the table. That means that the new value can be changed in the trigger.
create table t_update_before_each_row (
txt varchar2(10)
);
create table log (
txt varchar2(20)
);
create trigger update_before_each_row
before update on t_update_before_each_row
for each row
begin
:new.txt := upper(:new.txt);
insert into log values ('old: ' || :old.txt);
insert into log values ('new: ' || :new.txt);
end update_before_each_row;
/
insert into t_update_before_each_row values('one');
insert into t_update_before_each_row values('two');
insert into t_update_before_each_row values('three');
insert into t_update_before_each_row values('four');
Updating (that is: concatenating the value with itself) the rows containing two and three:
update t_update_before_each_row set txt = txt || txt
where substr(txt,1,1) = 't';
select * from t_update_before_each_row;
As can be seen by the output of the select statement, the trigger changed the values of the new values; they're in uppercase now:
one
TWOTWO
THREETHREE
four
The log displays the old and new values:
select * from log;
old: two
new: TWOTWO
old: three
new: THREETHREE
Cleaning up:
drop table t_update_before_each_row;
drop table log;

After / for each row trigger

In contrast to a before trigger, an after trigger does not allow to change :new.field_name because the value is, when the trigger fires, already written to the table.
If one tries to assign a value to :new.field_name, Oracle throws an ORA-04084: cannot change NEW values for this trigger type.
create table t_update_after_each_row (
txt varchar2(10)
);
create table log (
txt varchar2(20)
);
create trigger update_after_each_row
after update on t_update_after_each_row
for each row
begin
-- :new.txt := upper(:old.txt); -- ORA-04084: cannot change NEW values for this trigger type
insert into log values ('old: ' || :old.txt);
insert into log values ('new: ' || :new.txt);
end update_after_each_row;
/
insert into t_update_after_each_row values('one');
insert into t_update_after_each_row values('two');
insert into t_update_after_each_row values('three');
insert into t_update_after_each_row values('four');
update t_update_after_each_row set txt = txt || txt
where substr(txt,1,1) = 't';
select * from t_update_after_each_row;
one
twotwo
threethree
four
select * from log;
As the log table shows, it is possible to use :new and :old although it's not possible to assign something to :new.
old: two
new: twotwo
old: three
new: threethree
Cleaning up:
drop table t_update_after_each_row;
drop table log;

Table level trigger

A table level trigger is a trigger that doesn't fire for each row to be changed. Accordingly, it lacks the for each row. Consequently, both, the :new and :old are not permitted in the trigger's PL/SQL block, otherwise, an ORA-04082: NEW or OLD references not allowed in table level triggers is thrown.
create table t_update_before (
txt varchar2(10)
);
create table log (
txt varchar2(20)
);
create trigger update_before
before update on t_update_before
begin
-- :new.txt := upper(:old.txt); -- ORA-04082
insert into log values ('update trigger');
end update_before;
/
insert into t_update_before values('one');
insert into t_update_before values('two');
insert into t_update_before values('three');
insert into t_update_before values('four');
update t_update_before set txt = txt || txt
where substr(txt,1,1) = 't';
select * from t_update_before;
one
twotwo
threethree
four
Although two rows were updated, only one record is found in the log table:
select * from log;
update trigger
An update statement that doesn't update any row:
update t_update_before set txt = txt || txt
where txt = 'no update';
Still, the trigger fires...
select * from log;
... which results in another row found in the log table:
update trigger
update trigger
Cleaning up:
drop table t_update_before;
drop table log;

Order of execution

Oracle allows to create multiple triggers on the same table. The order of the execution of these triggers is undeterministic (or random, if you want this word) except that all before triggers fire before the after triggers.


kooyee 2008-04-05 19:36 发表评论
]]>
[MYSQL] SQLException: No suitable driverhttp://www.aygfsteel.com/Javawind/archive/2007/11/16/161111.htmlkooyeekooyeeFri, 16 Nov 2007 12:33:00 GMThttp://www.aygfsteel.com/Javawind/archive/2007/11/16/161111.htmlhttp://www.aygfsteel.com/Javawind/comments/161111.htmlhttp://www.aygfsteel.com/Javawind/archive/2007/11/16/161111.html#Feedback0http://www.aygfsteel.com/Javawind/comments/commentRss/161111.htmlhttp://www.aygfsteel.com/Javawind/services/trackbacks/161111.html问题可能?建立databaseq接Ӟurl的格式不正确引v的?br />
正确格式?

jdbc:mysql://localhost : 3306/database


kooyee 2007-11-16 20:33 发表评论
]]>
MySQL 5.1参考手?/title><link>http://www.aygfsteel.com/Javawind/archive/2007/11/10/159615.html</link><dc:creator>kooyee</dc:creator><author>kooyee</author><pubDate>Sat, 10 Nov 2007 13:00:00 GMT</pubDate><guid>http://www.aygfsteel.com/Javawind/archive/2007/11/10/159615.html</guid><wfw:comment>http://www.aygfsteel.com/Javawind/comments/159615.html</wfw:comment><comments>http://www.aygfsteel.com/Javawind/archive/2007/11/10/159615.html#Feedback</comments><slash:comments>2</slash:comments><wfw:commentRss>http://www.aygfsteel.com/Javawind/comments/commentRss/159615.html</wfw:commentRss><trackback:ping>http://www.aygfsteel.com/Javawind/services/trackbacks/159615.html</trackback:ping><description><![CDATA[http://dev.mysql.com/doc/refman/5.1/zh/index.html<br /> <br /> <div id="wmqeeuq" class="titlepage"> <div> <div> <h2 class="title"><a name="user-account-management"></a>5.8. MySQL用户账户理</h2> </div> </div> </div> <div id="wmqeeuq" class="toc"> <dl> <dt><span id="wmqeeuq" class="section"><a >5.8.1. MySQL用户名和密码</a></span> <dt><span id="wmqeeuq" class="section"><a >5.8.2. 向MySQL增加新用戯̎?/a></span> <dt><span id="wmqeeuq" class="section"><a >5.8.3. 从MySQL删除用户账户</a></span> <dt><span id="wmqeeuq" class="section"><a >5.8.4. 限制账户资源</a></span> <dt><span id="wmqeeuq" class="section"><a >5.8.5. 讄账户密码</a></span> <dt><span id="wmqeeuq" class="section"><a >5.8.6. 使你的密码安?/a></span> <dt><span id="wmqeeuq" class="section"><a >5.8.7. 使用安全q接</a></span></dt></dl></div> <br /> <div id="wmqeeuq" class="titlepage"> <div> <div> <h3 class="title"><a name="adding-users"></a>5.8.2. 向MySQL增加新用戯̎?/h3> </div> </div> </div> <a class="indexterm" name="id2774260"></a><a class="indexterm" name="id2774269"></a><a class="indexterm" name="id2774281"></a><a class="indexterm" name="id2774291"></a><a class="indexterm" name="id2774302"></a><a class="indexterm" name="id2774312"></a><a class="indexterm" name="id2774322"></a> <p>可以用两U方式创?span>MySQL</span>账户Q?/p> <p><span>·<span>         </span></span>使用<span>GRANT</span>语句</p> <p><span>·<span>         </span></span>直接操作<span>MySQL</span>授权?/p> <p>最好的Ҏ(gu)是?span>GRANT</span>语句Q因h_Q错误少。从<span>MySQL 3.22.11</span>h供了(jin)<span>GRANT</span>Q其语法?a title="13.5.1.3. GRANT and REVOKE Syntax" >13.5.1.3节,“GRANT和REVOKE语法”</a>?/p> <p>创徏账户的其它方法是使用<span>MySQL</span>账户理功能的第三方E序?span>phpMyAdmin</span>x(chng)一个程序?/p> <p>下面的示例说明如何?strong><span ?hu)??>MySQL</span></strong>客户端程序来讄新用戗假定按?a title="2.9.3. Securing the Initial MySQL Accounts" >2.9.3节,“使初始MySQL账户安全”</a>描述?默认值来讄权限。这说明Z(jin)更改Q你必须?span>MySQL </span><span>root</span>用户q接<span>MySQL</span>服务器,q且<span>root</span>账户必须?span>mysql</span>数据库的<span>INSERT</span>权限?span>RELOAD</span>理权限?/p> <p>首先Q?strong><span ?hu)??>MySQL</span></strong>E序?span>MySQL </span><span>root</span>用户来连接服务器Q?/p> <pre><span>shell> </span><span>MySQL<strong> --user=root </strong>MySQL</span></pre> <p>如果你ؓ(f)<span>root</span>账户指定?jin)密码,q需要ؓ(f)?strong><span>MySQL</span></strong>命o(h)和本节中的其它命令提?span>--password</span>?span>-p</span>选项?/p> <p><span>?span>root</span></span>q接到服务器上后Q可以添加新账户。下面的语句使用<span>GRANT</span>来设|四个新账户Q?/p> <pre><span>mysql> </span><span><strong><span>GRANT ALL PRIVILEGES ON *.* TO 'monty'@'localhost'</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>IDENTIFIED BY 'some_pass' WITH GRANT OPTION;</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>GRANT ALL PRIVILEGES ON *.* TO 'monty'@'%'</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>IDENTIFIED BY 'some_pass' WITH GRANT OPTION;</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>GRANT RELOAD,PROCESS ON *.* TO 'admin'@'localhost';</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>GRANT USAGE ON *.* TO 'dummy'@'localhost';</span></strong></span></pre> <p>?span>GRANT</span>语句创徏的̎h下面的属性:(x)</p> <p><span>·<span>         </span></span>其中两个账户有相同的用户?span>monty</span>和密?span>some_pass</span>。两个̎户均U用戯̎Ph完全的权限可以做M事情。一个̎?span> (</span><span>'monty'@'localhost'</span><span>)</span>只用于从本机q接时。另一个̎?span>(</span><span>'monty'@'%'</span><span>)</span>可用于从其它Lq接。请注意<span>monty</span>的两个̎户必能从Q何主Z<span>monty</span>q接。没?span>localhost</span>账户Q当<span>monty</span>从本接时Q?strong><span>mysql_install_db</span></strong>创徏?span>localhost</span>的匿名用戯̎户将占先。结果是Q?span>monty</span>被视ؓ(f)匿名用户。原因是匿名用户账户?span>Host</span>列值比<span>'monty'@'%'</span>账户更具体,q样?span>user</span>表排序顺序中排在前面?span>(</span><span>user</span>表排序的讨论参见<a title="5.7.5. Access Control, Stage 1: Connection Verification" >5.7.5节,“讉K控制, 阶段1Q连接核?#8221;</a>Q?span>?</span></p> <p><span>·<span>         </span></span>一个̎h用户?span>admin</span>Q没有密码。该账户只用于从本机q接。授予了(jin)<span>RELOAD</span>?span>PROCESS</span>理权限。这些权限允?span>admin</span>用户执行<strong><span>mysqladmin reload</span></strong>?strong><span>mysqladmin refresh</span></strong>?strong><span>mysqladmin flush-</span></strong><span><strong><em><span>xxx</span></em></strong></span>命o(h)Q以?strong><span>mysqladmin processlist</span></strong>。未授予讉K数据库的权限。你可以通过<span>GRANT</span>语句d此类权限?/p> <p><span>·<span>         </span></span>一个̎h用户?span>dummy</span>Q没有密码。该账户只用于从本机q接。未授予权限。通过<span>GRANT</span>语句中的<span>USAGE</span>权限Q你可以创徏账户而不授予M权限。它可以所有全局权限设ؓ(f)<span>'N'</span>。假定你在以后具体权限授予该账户?/p> <p>除了(jin)<span>GRANT</span>Q你可以直接?span>INSERT</span>语句创徏相同的̎P然后使用<span>FLUSH PRIVILEGES</span>告诉服务器重载授权表Q?/p> <pre><span>shell> </span><span><strong><span>mysql --user=root mysql</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>INSERT INTO user</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>VALUES('localhost','monty',PASSWORD('some_pass'),</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>'Y','Y','Y','Y','Y','Y','Y','Y','Y','Y','Y','Y','Y','Y');</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>INSERT INTO user</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>VALUES('%','monty',PASSWORD('some_pass'),</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>'Y','Y','Y','Y','Y','Y','Y','Y','Y','Y','Y','Y','Y','Y');</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>INSERT INTO user SET Host='localhost',User='admin',</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>Reload_priv='Y', Process_priv='Y';</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>INSERT INTO user (Host,User,Password)</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>VALUES('localhost','dummy','');</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>FLUSH PRIVILEGES;</span></strong></span></pre> <p>当你?span>INSERT</span>创徏账户时?span>FLUSH PRIVILEGES</span>的原因是告诉服务器重L权表。否则,只有重启服务器后更改方会(x)被注意到。?<span>GRANT</span>Q则不需要?span>FLUSH PRIVILEGES</span>?/p> <p>?span>INSERT</span>使用<span>PASSWORD()</span>函数是ؓ(f)?jin)加密密码?span>GRANT</span>语句Z加密密码Q因此不需?span>PASSWORD()</span>?/p> <p><span>'Y'</span>值启用̎h限。对?span>admin</span>账户Q还可以使用更加可读?span>INSERT</span>扩充的语法(使用<span>SET</span>Q?/p> <p>在ؓ(f)<span>dummy</span>账户?span>INSERT</span>语句中,只有<span>user</span>表中?span>Host</span>?span>User</span>?span>Password</span>列记录ؓ(f)指定的倹{没有一个权限列为显式设|,因此<span>MySQL</span>它们均指定?默认?span>'N'</span>。这L(fng)同于<span>GRANT USAGE</span>的操作?/p> <p>h意要讄用户账户Q只需要创Z个权限列讄?span>'Y'</span>?span>user</span>表条目?span>user</span>表权限ؓ(f)全局权限Q因此其?授权表不再需要条目?/p> <p>下面的例子创?span>3</span>个̎P允许它们讉K专用数据库。每个̎L(fng)用户名ؓ(f)<span>custom</span>Q密码ؓ(f)<span><span>obscure</span>?/span></p> <p>要想?span>GRANT</span>创徏账户Q用下面的语句Q?/p> <pre><span>shell> </span><span>MySQL<strong> --user=root </strong>MySQL</span></pre> <pre><span>shell> </span><span><strong><span>mysql --user=root mysql</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>GRANT SELECT,INSERT,UPDATE,DELETE,CREATE,DROP</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>ON bankaccount.*</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>TO 'custom'@'localhost'</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>IDENTIFIED BY 'obscure';</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>GRANT SELECT,INSERT,UPDATE,DELETE,CREATE,DROP</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>ON expenses.*</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>TO 'custom'@'whitehouse.gov'</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>IDENTIFIED BY 'obscure';</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>GRANT SELECT,INSERT,UPDATE,DELETE,CREATE,DROP</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>ON customer.*</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>TO 'custom'@'server.domain'</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>IDENTIFIED BY 'obscure';</span></strong></span></pre> <p>q?span>3</span>个̎户可以用于:(x)</p> <p><span>·<span>         </span></span>W?span>1</span>个̎户可以访?span>bankaccount</span>数据库,但只能从本机讉K?/p> <p><span>·<span>         </span></span>W?span>2</span>个̎户可以访?span>expenses</span>数据库,但只能从L<span>whitehouse.gov</span>讉K?/p> <p><span>·<span>         </span></span>W?span>3</span>个̎户可以访?span>customer</span>数据库,但只能从L<span>server.domain</span>讉K?/p> <p>要想不用<span>GRANT</span>讄<span>custom</span>账户Q?span>INSERT</span>语句直接修改 授权表:(x)</p> <pre><span>shell> </span><span><strong><span>mysql --user=root mysql</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>INSERT INTO user (Host,User,Password)</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>VALUES('localhost','custom',PASSWORD('obscure'));</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>INSERT INTO user (Host,User,Password)</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>VALUES('whitehouse.gov','custom',PASSWORD('obscure'));</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>INSERT INTO user (Host,User,Password)</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>VALUES('server.domain','custom',PASSWORD('obscure'));</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>INSERT INTO db</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>(Host,Db,User,Select_priv,Insert_priv,</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>Update_priv,Delete_priv,Create_priv,Drop_priv)</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>VALUES('localhost','bankaccount','custom',</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>'Y','Y','Y','Y','Y','Y');</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>INSERT INTO db</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>(Host,Db,User,Select_priv,Insert_priv,</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>Update_priv,Delete_priv,Create_priv,Drop_priv)</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>VALUES('whitehouse.gov','expenses','custom',</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>'Y','Y','Y','Y','Y','Y');</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>INSERT INTO db</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>(Host,Db,User,Select_priv,Insert_priv,</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>Update_priv,Delete_priv,Create_priv,Drop_priv)</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>VALUES('server.domain','customer','custom',</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>'Y','Y','Y','Y','Y','Y');</span></strong></span></pre> <pre><span>mysql> </span><span><strong><span>FLUSH PRIVILEGES;</span></strong></span></pre> <pre><span> </span></pre> <p>?span>3</span>?span>INSERT</span>语句?span>user</span>表中加入条目Q允许用?span>custom</span>从各U主机用l定的密码进行连接,但不授予全局权限<span>(</span>所有权限设|ؓ(f) 默认?span>'N'</span><span>)</span>。后?span>3</span>?span>INSERT</span>语句?span>user</span>表中加入条目Qؓ(f)<span>custom</span>授予<span>bankaccount</span>?span>expenses</span>?span>customer</span>数据库权限,但只能从合适的L讉K?span>通常若直接修?授权表,则应告诉服务器用</span><span>FLUSH PRIVILEGES</span><span>重蝲授权表,使权限更改生效?/span></p> <p><span>如果你想要让某个用户从给定域的所有机器访?span>(</span>例如Q?/span><span>mydomain.com</span><span>)</span><span>Q你可以在̎户名的主机部分用含‘</span><span>%</span><span>’通配W的</span><span>GRANT</span><span>语句Q?/span></p> <pre><span>mysql> </span><span><strong><span>GRANT ...</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>ON *.*</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>TO 'myname'@'%.mydomain.com'</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>IDENTIFIED BY 'mypass';</span></strong></span></pre> <p>要想通过直接修改授权表来实现Q?/p> <pre><span>mysql> </span><span><strong><span>INSERT INTO user (Host,User,Password,...)</span></strong></span></pre> <pre><span>    ->     </span><span><strong><span>VALUES('%.mydomain.com','myname',PASSWORD('mypass'),...);</span></strong></span></pre> <p><span>mysql> </span><span><strong><span>FLUSH PRIVILEGES;</span></strong></span></p> <img src ="http://www.aygfsteel.com/Javawind/aggbug/159615.html" width = "1" height = "1" /><br><br><div align=right><a style="text-decoration:none;" href="http://www.aygfsteel.com/Javawind/" target="_blank">kooyee</a> 2007-11-10 21:00 <a href="http://www.aygfsteel.com/Javawind/archive/2007/11/10/159615.html#Feedback" target="_blank" style="text-decoration:none;">发表评论</a></div>]]></description></item></channel></rss> <footer> <div class="friendship-link"> <a href="http://www.aygfsteel.com/" title="狠狠久久亚洲欧美专区_中文字幕亚洲综合久久202_国产精品亚洲第五区在线_日本免费网站视频">狠狠久久亚洲欧美专区_中文字幕亚洲综合久久202_国产精品亚洲第五区在线_日本免费网站视频</a> </div> </footer> վ֩ģ壺 <a href="http://" target="_blank"></a>| <a href="http://" target="_blank">Ƹ</a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank">ˮ</a>| <a href="http://" target="_blank">ƺ</a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank">Һ</a>| <a href="http://" target="_blank">Ԫ</a>| <a href="http://" target="_blank">̨</a>| <a href="http://" target="_blank">Ȫ</a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank">ͳ</a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank">ߴ</a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank">̨</a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank">Դ</a>| <a href="http://" target="_blank">̨</a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank">԰</a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank">ȫ</a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank">Զ</a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank"></a>| <a href="http://" target="_blank">ǿ</a>| <a href="http://" target="_blank">÷</a>| <a href="http://" target="_blank">SHOW</a>| <a href="http://" target="_blank"></a>| <script> (function(){ var bp = document.createElement('script'); var curProtocol = window.location.protocol.split(':')[0]; if (curProtocol === 'https') { bp.src = 'https://zz.bdstatic.com/linksubmit/push.js'; } else { bp.src = 'http://push.zhanzhang.baidu.com/push.js'; } var s = document.getElementsByTagName("script")[0]; s.parentNode.insertBefore(bp, s); })(); </script> </body>