In MySQL I want to write a script and put multiple CREATE PROCEDURE statements into it, the usual (;) wont work for some reason. Is there another way to run multiple CREATE statements in the same script? If so, how?
A:
I know in MS SQL Server you can separate multiple statements with GO
. Have you tried this in MySQL?
Tim
2010-10-16 07:26:29
Yes I tried that already. I am so used to MS SQL that I instictly did that anyway at first. I am new to MySQL
mattgcon
2010-10-16 07:28:17
This thread seems to ask the same question, although I'm not sure it's clearly answered... http://stackoverflow.com/questions/763442/what-is-the-equivalent-of-go-in-mysql
Tim
2010-10-16 07:30:00
That worked awesome!!! thank you
mattgcon
2010-10-16 07:31:38
A:
According to the MySQL FAQ:
24.4.8: Is it possible to group stored procedures or stored functions into packages?
No. This is not supported in MySQL 5.1.
If you're not really trying to form a package, you can try (temporarily) redefining the delimiter:
delimiter //
igelkott
2010-10-16 08:21:31
+1
A:
not much to it really (foo.sql)
you can run this from the mysql command line using \. foo.sql
use foo_db;
-- TABLES
drop table if exists users;
create table users
(
user_id int unsigned not null auto_increment primary key,
username varbinary(32) unique not null,
created_date datetime not null
)
engine=innodb;
-- PROCEDURES
drop procedure if exists list_users;
delimiter #
create procedure list_users()
proc_main:begin
select * from users order by username;
end proc_main #
delimiter ;
drop procedure if exists get_user;
delimiter #
create procedure get_user
(
p_user_id int unsigned
)
proc_main:begin
select * from users where user_id = p_user_id;
end proc_main #
delimiter ;
-- TEST DATA
insert into users (username, created_date) values
('f00',now()),('bar',now()),('alpha',now()),('beta',now());
-- TESTING
call list_users();
call get_user(1);
f00
2010-10-16 09:08:25