Get the generated uuid after insert php

前端 未结 4 1680
一生所求
一生所求 2020-12-09 12:33

i have a table field type varchar(36) and i want to generate it dynamically by mysql so i used this code:

$sql_code = \'insert into table1 (id, text) values          


        
相关标签:
4条回答
  • 2020-12-09 12:59

    Depending on how the uuid() function is implemented, this is very bad programming practice - if you try to do this with binary logging enabled (i.e. in a cluster) then the insert will most likely fail. Ivan's suggestion looks it might solve the immediate problem - however I thought this only returned the value generated for an auto-increment field - indeed that's what the manual says.

    Also what's the benefit of using a uuid()? Its computationally expensive to generate, requires a lot of storage, increases the cost of querying the data and is not cryptographically secure. Use a sequence generator or autoincrement instead.

    Regardless if you use a sequence generator or uuid, if you must use this as the only unique key on the database, then you'll need to assign the value first, read it back into phpland and embed/bind the value as a literal to the subsequent insert query.

    0 讨论(0)
  • 2020-12-09 13:01
    1. char(36) is better
    2. you cannot. The only solution is to perform 2 separated queries:

      • SELECT UUID()
      • INSERT INTO table1 (id, text) VALUES ($uuid, 'text')

    where $uuid is the value retrieved on the 1st step.

    0 讨论(0)
  • 2020-12-09 13:07

    You can do everything you need to with SQL triggers. The following SQL adds a trigger on tablename.table_id to automatically create the primary key UUID when inserting, then stores the newly created ID into an SQL variable for retrieval later:

    CREATE TRIGGER `tablename_newid` 
    AFTER INSERT ON `tablename` 
    FOR EACH ROW 
    BEGIN 
        IF ASCII(NEW.table_id) = 0 THEN 
            SET NEW.table_id = UNHEX(REPLACE(UUID(),'-','')); 
        END IF; 
        SET @last_uuid = NEW.table_id; 
    END
    

    As a bonus, it inserts the UUID in binary form to a binary(16) field to save storage space and greatly increase query speed.

    edit: the trigger should check for an existing column value before inserting its own UUID in order to mimic the ability to provide values for table primary keys in MySQL - without this, any values passed in will always be overridden by the trigger. The example has been updated to use ASCII() = 0 to check for the existence of the primary key value in the INSERT, which will detect empty string values for a binary field.

    edit 2: after a comment here it has since been pointed out to me that using BEFORE INSERT has the effect of setting the @last_uuid variable even if the row insert fails. I have updated my answer to use AFTER INSERT - whilst I feel this is a totally fine approach under general circumstances it may have issues with row replication under clustered or replicated databases. If anyone knows, I would love to as well!

    To read the new row's insert ID back out, just run SELECT @last_uuid.

    When querying and reading such binary values, the MySQL functions HEX() and UNHEX() will be very helpful, as will writing your query values in hex notation (preceded by 0x). The php-side code for your original answer, given this type of trigger applied to table1, would be:

    // insert row
    $sql = "INSERT INTO table1(text) VALUES ('some text')";
    mysql_query($sql);
    
    // get last inserted UUID
    $sql = "SELECT HEX(@last_uuid)";
    $result = mysql_query($sql);
    $row = mysql_fetch_row($result);
    $id = $row[0];
    
    // perform a query using said ID
    mysql_query("SELECT FROM table1 WHERE id = 0x" . $id);
    

    Following up in response to @ina's comment:

    A UUID is not a string, even if MySQL chooses to represent it as such. It's binary data in its raw form, and those dashes are just MySQL's friendly way of representing it to you.

    The most efficient storage for a UUID is to create it as UNHEX(REPLACE(UUID(),'-','')) - this will remove that formatting and convert it back to binary data. Those functions will make the original insertion slower, but all following comparisons you do on that key or column will be much faster on a 16-byte binary field than a 36-character string.

    For one, character data requires parsing and localisation. Any strings coming in to the query engine are generally being collated automatically against the character set of the database, and some APIs (wordpress comes to mind) even run CONVERT() on all string data before querying. Binary data doesn't have this overhead. For the other, your char(36) is actually allocating 36 characters, which means (if your database is UTF-8) each character could be as long as 3 or 4 bytes depending on the version of MySQL you are using. So a char(36) can range anywhere from 36 bytes (if it consists entirely of low-ASCII characters) to 144 if consisting entirely of high-order UTF8 characters. This is much larger than the 16 bytes we have allocated for our binary field.

    Any logic performed on this data can be done with UNHEX(), but is better accomplished by simply escaping data in queries as hex, prefixed with 0x. This is just as fast as reading a string, gets converted to binary on the fly and directly assigned to the query or cell in question. Very fast. Reading data out is slightly slower - you have to call HEX() on all binary data read out of a query to get it in a useful format if your client API doesn't deal well with binary data (PHP in paricular will usually determine that binary strings === null and will break them if manipulated without first calling bin2hex(), base64_encode() or similar) - but this overhead is about as minimal as character collation and more importantly is only being called on the actual cells SELECTed, not all cells involved in the internal computations of a query result.

    So of course, all these small speed increases are very minimal and other areas result in small decreases - but when you add them all up binary still comes out on top, and when you consider use cases and the general 'reads > writes' principle it really shines.

    ... and that's why binary(16) is better than char(36).

    0 讨论(0)
  • 2020-12-09 13:18

    Its pretty easy actually you can pass this to mysql and it will return the inserted id.

    set @id=UUID();
    insert into <table>(<col1>,<col2>) values (@id,'another value');
    select @id;
    
    0 讨论(0)
提交回复
热议问题