SQL Server - Auto-incrementation that allows UPDATE statements

前端 未结 5 2033
礼貌的吻别
礼貌的吻别 2020-11-30 15:22

When adding an item in my database, I need it to auto-determine the value for the field DisplayOrder. Identity (auto-increment) would be an ideal solution, but I need to be

5条回答
  •  感情败类
    2020-11-30 16:16

    You can set your incrementing column to use the identity property. Then, in processes that need to insert values into the column you can use the SET IDENITY_INSERT command in your batch.

    For inserts where you want to use the identity property, you exclude the identity column from the list of columns in your insert statement:

    INSERT INTO [dbo].[MyTable] ( MyData ) VALUES ( @MyData )
    

    When you want to insert rows where you are providing the value for the identity column, use the following:

    SET IDENTITY_INSERT MyTable ON
    
    INSERT INTO [dbo].[MyTable] ( DisplayOrder, MyData )
    VALUES ( @DisplayOrder, @MyData )
    
    SET IDENTITY_INSERT MyTable OFF
    

    You should be able to UPDATE the column without any other steps.

    You may also want to look into the DBCC CHECKIDENT command. This command will set your next identity value. If you are inserting rows where the next identity value might not be appropriate, you can use the command to set a new value.

    DECLARE @DisplayOrder INT
    
    SET @DisplayOrder = (SELECT MAX(DisplayOrder) FROM [dbo].[MyTable]) + 1
    
    DBCC CHECKIDENT (MyTable, RESEED, @DisplayOrder)
    

提交回复
热议问题