How to add Stored Procedures to Version Control

后端 未结 6 468
礼貌的吻别
礼貌的吻别 2021-01-31 17:53

Our team just experienced for the first time the hassle of not having version control for our DB. How can we add stored procedures at the very least to version control? The cur

6条回答
  •  旧巷少年郎
    2021-01-31 18:31

    Background: I develop a system that has almost 2000 stored procedures.

    The critical thing I have found is to treat the database as an application. You would never open an EXE with a hex editor directly and edit it. The same with a database; just because you can edit the stored procedures from the database does not mean you should.

    Treat the copy of the stored procedure in source control as the current version. It is your source code. Check it out, edit it, test it, install it, and check it back in. The next time it has to be changed, follow the same procedure. Just as an application requires a build and deploy process, so should the stored procedures.

    The code below is a good stored procedure template for this process. It handles both cases of an update (ALTER) or new install (CREATE).

    IF EXISTS(SELECT name
                FROM sysobjects
               WHERE name = 'MyProc' AND type = 'P' AND uid = '1')
       DROP PROCEDURE dbo.MyProc
    GO
    
    CREATE PROCEDURE dbo.MyProc
    AS
    
    GO
    

    However following sample is better in situations where you control access to the stored procedures. The DROP-CREATE method loses GRANT information.

    IF NOT EXISTS(SELECT name
                FROM sysobjects
               WHERE name = 'MyProc' AND type = 'P' AND uid = '1')
       CREATE PROCEDURE dbo.MyProc
       AS
       PRINT 'No Op'
    GO
    
    ALTER PROCEDURE dbo.MyProc
    AS
    
    GO
    

    In addition, creating a process to build the database completely from source control can help in keeping things controlled.

    Create a new database from source control. Use a tool like Red Gate SQL Compare to compare the two databases and identify differences. Reconcile the differences.

    A cheaper solution is to simply use the "Script As" functionality of SQL Management Studio and do a text compare. However, this method is real sensitive to the exact method SSMS uses to format the extracted SQL.

提交回复
热议问题