How to loop through all the tables on a database to update columns

前端 未结 3 1307
别那么骄傲
别那么骄傲 2021-01-12 03:59

I\'m trying to update a column (in this case, a date) that is present on most of the tables on my database. Sadly, my database has more than 100 tables already created and f

3条回答
  •  轻奢々
    轻奢々 (楼主)
    2021-01-12 04:42

    You can use SHOW TABLES command to list all tables in database. Next you can check if column presented in table with SHOW COLUMNS command. It can be used this way:

    SHOW COLUMNS FROM `table_name` LIKE `column_name`
    

    If this query returns result, then column exists and you can perform UPDATE query on it.

    Update

    You can check this procedure on sqlfiddle.

    CREATE PROCEDURE UpdateTables (IN WhereColumn VARCHAR(10),
                                   IN WhereValue VARCHAR(10),
                                   IN UpdateColumn VARCHAR(10),
                                   IN UpdateValue VARCHAR(10))
    BEGIN
      DECLARE Finished BOOL DEFAULT FALSE;
      DECLARE TableName VARCHAR(10);
    
      DECLARE TablesCursor CURSOR FOR
        SELECT c1.TABLE_NAME
        FROM INFORMATION_SCHEMA.COLUMNS c1
          JOIN INFORMATION_SCHEMA.COLUMNS c2 ON (c1.TABLE_SCHEMA = c2.TABLE_SCHEMA AND c1.TABLE_NAME = c2.TABLE_NAME)
        WHERE c1.TABLE_SCHEMA = DATABASE()
          AND c1.COLUMN_NAME = WhereColumn
          AND c2.COLUMN_NAME = UpdateColumn;
    
      DECLARE CONTINUE HANDLER FOR NOT FOUND SET Finished = TRUE;
    
      OPEN TablesCursor;
    
      MainLoop: LOOP
        FETCH TablesCursor INTO TableName;
        IF Finished THEN
          LEAVE MainLoop;
        END IF;
    
        SET @queryText = CONCAT('UPDATE ', TableName, ' SET ', UpdateColumn, '=', QUOTE(UpdateValue), ' WHERE ', WhereColumn, '=', QUOTE(WhereValue));
        PREPARE updateQuery FROM @queryText;
        EXECUTE updateQuery;
        DEALLOCATE PREPARE updateQuery;
      END LOOP;
    
      CLOSE TablesCursor;
    END
    

    This is just an example how to iterate through all tables in database and perform some action with them. Procedure can be changed according to your needs.

提交回复
热议问题