Limit max prepared statement count












0















The problem



I wrote an application which synchronizes data from BigQuery into a MySQL database. I try to insert roughly 10-20k rows in batches (up to 10 items each batch) every 3 hours. For some reason I receive the following error when it tries to upsert these rows into MySQL:



Can't create more than max_prepared_stmt_count statements:




Error 1461: Can't create more than max_prepared_stmt_count statements
(current value: 2000)




My "relevant code"



// ProcessProjectSkuCost receives the given sku cost entries and sends them in batches to upsertProjectSkuCosts()
func ProcessProjectSkuCost(done <-chan bigquery.SkuCost) {
var skuCosts bigquery.SkuCost
var rowsAffected int64
for skuCostRow := range done {
skuCosts = append(skuCosts, skuCostRow)

if len(skuCosts) == 10 {
rowsAffected += upsertProjectSkuCosts(skuCosts)
skuCosts = bigquery.SkuCost{}
}
}
if len(skuCosts) > 0 {
rowsAffected += upsertProjectSkuCosts(skuCosts)
}
log.Infof("Completed upserting project sku costs. Affected rows: '%d'", rowsAffected)
}

// upsertProjectSkuCosts inserts or updates ProjectSkuCosts into SQL in batches
func upsertProjectSkuCosts(skuCosts bigquery.SkuCost) int64 {
// properties are table fields
tableFields := string{"project_name", "sku_id", "sku_description", "usage_start_time", "usage_end_time",
"cost", "currency", "usage_amount", "usage_unit", "usage_amount_in_pricing_units", "usage_pricing_unit",
"invoice_month"}
tableFieldString := fmt.Sprintf("(%s)", strings.Join(tableFields, ","))

// placeholderstring for all to be inserted values
placeholderString := createPlaceholderString(tableFields)
valuePlaceholderString := ""
values := interface{}{}
for _, row := range skuCosts {
valuePlaceholderString += fmt.Sprintf("(%s),", placeholderString)
values = append(values, row.ProjectName, row.SkuID, row.SkuDescription, row.UsageStartTime,
row.UsageEndTime, row.Cost, row.Currency, row.UsageAmount, row.UsageUnit,
row.UsageAmountInPricingUnits, row.UsagePricingUnit, row.InvoiceMonth)
}
valuePlaceholderString = strings.TrimSuffix(valuePlaceholderString, ",")

// put together SQL string
sqlString := fmt.Sprintf(`INSERT INTO
project_sku_cost %s VALUES %s ON DUPLICATE KEY UPDATE invoice_month=invoice_month`, tableFieldString, valuePlaceholderString)
sqlString = strings.TrimSpace(sqlString)

stmt, err := db.Prepare(sqlString)
if err != nil {
log.Warn("Error while preparing SQL statement to upsert project sku costs. ", err)
return 0
}

// execute query
res, err := stmt.Exec(values...)
if err != nil {
log.Warn("Error while executing statement to upsert project sku costs. ", err)
return 0
}

rowsAffected, err := res.RowsAffected()
if err != nil {
log.Warn("Error while trying to access affected rows ", err)
return 0
}

return rowsAffected
}

// createPlaceholderString creates a string which will be used for prepare statement (output looks like "(?,?,?)")
func createPlaceholderString(tableFields string) string {
placeHolderString := ""
for range tableFields {
placeHolderString += "?,"
}
placeHolderString = strings.TrimSuffix(placeHolderString, ",")

return placeHolderString
}


My question:



Why do I hit the max_prepared_stmt_count when I immediately execute the prepared statement (see function upsertProjectSkuCosts)?



I could only imagine it's some sort of concurrency which creates tons of prepared statements in the meantime between preparing and executing all these statements. On the other hand I don't understand why there would be so much concurrency as the channel in the ProcessProjectSkuCost is a buffered channel with a size of 20.










share|improve this question



























    0















    The problem



    I wrote an application which synchronizes data from BigQuery into a MySQL database. I try to insert roughly 10-20k rows in batches (up to 10 items each batch) every 3 hours. For some reason I receive the following error when it tries to upsert these rows into MySQL:



    Can't create more than max_prepared_stmt_count statements:




    Error 1461: Can't create more than max_prepared_stmt_count statements
    (current value: 2000)




    My "relevant code"



    // ProcessProjectSkuCost receives the given sku cost entries and sends them in batches to upsertProjectSkuCosts()
    func ProcessProjectSkuCost(done <-chan bigquery.SkuCost) {
    var skuCosts bigquery.SkuCost
    var rowsAffected int64
    for skuCostRow := range done {
    skuCosts = append(skuCosts, skuCostRow)

    if len(skuCosts) == 10 {
    rowsAffected += upsertProjectSkuCosts(skuCosts)
    skuCosts = bigquery.SkuCost{}
    }
    }
    if len(skuCosts) > 0 {
    rowsAffected += upsertProjectSkuCosts(skuCosts)
    }
    log.Infof("Completed upserting project sku costs. Affected rows: '%d'", rowsAffected)
    }

    // upsertProjectSkuCosts inserts or updates ProjectSkuCosts into SQL in batches
    func upsertProjectSkuCosts(skuCosts bigquery.SkuCost) int64 {
    // properties are table fields
    tableFields := string{"project_name", "sku_id", "sku_description", "usage_start_time", "usage_end_time",
    "cost", "currency", "usage_amount", "usage_unit", "usage_amount_in_pricing_units", "usage_pricing_unit",
    "invoice_month"}
    tableFieldString := fmt.Sprintf("(%s)", strings.Join(tableFields, ","))

    // placeholderstring for all to be inserted values
    placeholderString := createPlaceholderString(tableFields)
    valuePlaceholderString := ""
    values := interface{}{}
    for _, row := range skuCosts {
    valuePlaceholderString += fmt.Sprintf("(%s),", placeholderString)
    values = append(values, row.ProjectName, row.SkuID, row.SkuDescription, row.UsageStartTime,
    row.UsageEndTime, row.Cost, row.Currency, row.UsageAmount, row.UsageUnit,
    row.UsageAmountInPricingUnits, row.UsagePricingUnit, row.InvoiceMonth)
    }
    valuePlaceholderString = strings.TrimSuffix(valuePlaceholderString, ",")

    // put together SQL string
    sqlString := fmt.Sprintf(`INSERT INTO
    project_sku_cost %s VALUES %s ON DUPLICATE KEY UPDATE invoice_month=invoice_month`, tableFieldString, valuePlaceholderString)
    sqlString = strings.TrimSpace(sqlString)

    stmt, err := db.Prepare(sqlString)
    if err != nil {
    log.Warn("Error while preparing SQL statement to upsert project sku costs. ", err)
    return 0
    }

    // execute query
    res, err := stmt.Exec(values...)
    if err != nil {
    log.Warn("Error while executing statement to upsert project sku costs. ", err)
    return 0
    }

    rowsAffected, err := res.RowsAffected()
    if err != nil {
    log.Warn("Error while trying to access affected rows ", err)
    return 0
    }

    return rowsAffected
    }

    // createPlaceholderString creates a string which will be used for prepare statement (output looks like "(?,?,?)")
    func createPlaceholderString(tableFields string) string {
    placeHolderString := ""
    for range tableFields {
    placeHolderString += "?,"
    }
    placeHolderString = strings.TrimSuffix(placeHolderString, ",")

    return placeHolderString
    }


    My question:



    Why do I hit the max_prepared_stmt_count when I immediately execute the prepared statement (see function upsertProjectSkuCosts)?



    I could only imagine it's some sort of concurrency which creates tons of prepared statements in the meantime between preparing and executing all these statements. On the other hand I don't understand why there would be so much concurrency as the channel in the ProcessProjectSkuCost is a buffered channel with a size of 20.










    share|improve this question

























      0












      0








      0








      The problem



      I wrote an application which synchronizes data from BigQuery into a MySQL database. I try to insert roughly 10-20k rows in batches (up to 10 items each batch) every 3 hours. For some reason I receive the following error when it tries to upsert these rows into MySQL:



      Can't create more than max_prepared_stmt_count statements:




      Error 1461: Can't create more than max_prepared_stmt_count statements
      (current value: 2000)




      My "relevant code"



      // ProcessProjectSkuCost receives the given sku cost entries and sends them in batches to upsertProjectSkuCosts()
      func ProcessProjectSkuCost(done <-chan bigquery.SkuCost) {
      var skuCosts bigquery.SkuCost
      var rowsAffected int64
      for skuCostRow := range done {
      skuCosts = append(skuCosts, skuCostRow)

      if len(skuCosts) == 10 {
      rowsAffected += upsertProjectSkuCosts(skuCosts)
      skuCosts = bigquery.SkuCost{}
      }
      }
      if len(skuCosts) > 0 {
      rowsAffected += upsertProjectSkuCosts(skuCosts)
      }
      log.Infof("Completed upserting project sku costs. Affected rows: '%d'", rowsAffected)
      }

      // upsertProjectSkuCosts inserts or updates ProjectSkuCosts into SQL in batches
      func upsertProjectSkuCosts(skuCosts bigquery.SkuCost) int64 {
      // properties are table fields
      tableFields := string{"project_name", "sku_id", "sku_description", "usage_start_time", "usage_end_time",
      "cost", "currency", "usage_amount", "usage_unit", "usage_amount_in_pricing_units", "usage_pricing_unit",
      "invoice_month"}
      tableFieldString := fmt.Sprintf("(%s)", strings.Join(tableFields, ","))

      // placeholderstring for all to be inserted values
      placeholderString := createPlaceholderString(tableFields)
      valuePlaceholderString := ""
      values := interface{}{}
      for _, row := range skuCosts {
      valuePlaceholderString += fmt.Sprintf("(%s),", placeholderString)
      values = append(values, row.ProjectName, row.SkuID, row.SkuDescription, row.UsageStartTime,
      row.UsageEndTime, row.Cost, row.Currency, row.UsageAmount, row.UsageUnit,
      row.UsageAmountInPricingUnits, row.UsagePricingUnit, row.InvoiceMonth)
      }
      valuePlaceholderString = strings.TrimSuffix(valuePlaceholderString, ",")

      // put together SQL string
      sqlString := fmt.Sprintf(`INSERT INTO
      project_sku_cost %s VALUES %s ON DUPLICATE KEY UPDATE invoice_month=invoice_month`, tableFieldString, valuePlaceholderString)
      sqlString = strings.TrimSpace(sqlString)

      stmt, err := db.Prepare(sqlString)
      if err != nil {
      log.Warn("Error while preparing SQL statement to upsert project sku costs. ", err)
      return 0
      }

      // execute query
      res, err := stmt.Exec(values...)
      if err != nil {
      log.Warn("Error while executing statement to upsert project sku costs. ", err)
      return 0
      }

      rowsAffected, err := res.RowsAffected()
      if err != nil {
      log.Warn("Error while trying to access affected rows ", err)
      return 0
      }

      return rowsAffected
      }

      // createPlaceholderString creates a string which will be used for prepare statement (output looks like "(?,?,?)")
      func createPlaceholderString(tableFields string) string {
      placeHolderString := ""
      for range tableFields {
      placeHolderString += "?,"
      }
      placeHolderString = strings.TrimSuffix(placeHolderString, ",")

      return placeHolderString
      }


      My question:



      Why do I hit the max_prepared_stmt_count when I immediately execute the prepared statement (see function upsertProjectSkuCosts)?



      I could only imagine it's some sort of concurrency which creates tons of prepared statements in the meantime between preparing and executing all these statements. On the other hand I don't understand why there would be so much concurrency as the channel in the ProcessProjectSkuCost is a buffered channel with a size of 20.










      share|improve this question














      The problem



      I wrote an application which synchronizes data from BigQuery into a MySQL database. I try to insert roughly 10-20k rows in batches (up to 10 items each batch) every 3 hours. For some reason I receive the following error when it tries to upsert these rows into MySQL:



      Can't create more than max_prepared_stmt_count statements:




      Error 1461: Can't create more than max_prepared_stmt_count statements
      (current value: 2000)




      My "relevant code"



      // ProcessProjectSkuCost receives the given sku cost entries and sends them in batches to upsertProjectSkuCosts()
      func ProcessProjectSkuCost(done <-chan bigquery.SkuCost) {
      var skuCosts bigquery.SkuCost
      var rowsAffected int64
      for skuCostRow := range done {
      skuCosts = append(skuCosts, skuCostRow)

      if len(skuCosts) == 10 {
      rowsAffected += upsertProjectSkuCosts(skuCosts)
      skuCosts = bigquery.SkuCost{}
      }
      }
      if len(skuCosts) > 0 {
      rowsAffected += upsertProjectSkuCosts(skuCosts)
      }
      log.Infof("Completed upserting project sku costs. Affected rows: '%d'", rowsAffected)
      }

      // upsertProjectSkuCosts inserts or updates ProjectSkuCosts into SQL in batches
      func upsertProjectSkuCosts(skuCosts bigquery.SkuCost) int64 {
      // properties are table fields
      tableFields := string{"project_name", "sku_id", "sku_description", "usage_start_time", "usage_end_time",
      "cost", "currency", "usage_amount", "usage_unit", "usage_amount_in_pricing_units", "usage_pricing_unit",
      "invoice_month"}
      tableFieldString := fmt.Sprintf("(%s)", strings.Join(tableFields, ","))

      // placeholderstring for all to be inserted values
      placeholderString := createPlaceholderString(tableFields)
      valuePlaceholderString := ""
      values := interface{}{}
      for _, row := range skuCosts {
      valuePlaceholderString += fmt.Sprintf("(%s),", placeholderString)
      values = append(values, row.ProjectName, row.SkuID, row.SkuDescription, row.UsageStartTime,
      row.UsageEndTime, row.Cost, row.Currency, row.UsageAmount, row.UsageUnit,
      row.UsageAmountInPricingUnits, row.UsagePricingUnit, row.InvoiceMonth)
      }
      valuePlaceholderString = strings.TrimSuffix(valuePlaceholderString, ",")

      // put together SQL string
      sqlString := fmt.Sprintf(`INSERT INTO
      project_sku_cost %s VALUES %s ON DUPLICATE KEY UPDATE invoice_month=invoice_month`, tableFieldString, valuePlaceholderString)
      sqlString = strings.TrimSpace(sqlString)

      stmt, err := db.Prepare(sqlString)
      if err != nil {
      log.Warn("Error while preparing SQL statement to upsert project sku costs. ", err)
      return 0
      }

      // execute query
      res, err := stmt.Exec(values...)
      if err != nil {
      log.Warn("Error while executing statement to upsert project sku costs. ", err)
      return 0
      }

      rowsAffected, err := res.RowsAffected()
      if err != nil {
      log.Warn("Error while trying to access affected rows ", err)
      return 0
      }

      return rowsAffected
      }

      // createPlaceholderString creates a string which will be used for prepare statement (output looks like "(?,?,?)")
      func createPlaceholderString(tableFields string) string {
      placeHolderString := ""
      for range tableFields {
      placeHolderString += "?,"
      }
      placeHolderString = strings.TrimSuffix(placeHolderString, ",")

      return placeHolderString
      }


      My question:



      Why do I hit the max_prepared_stmt_count when I immediately execute the prepared statement (see function upsertProjectSkuCosts)?



      I could only imagine it's some sort of concurrency which creates tons of prepared statements in the meantime between preparing and executing all these statements. On the other hand I don't understand why there would be so much concurrency as the channel in the ProcessProjectSkuCost is a buffered channel with a size of 20.







      mysql go






      share|improve this question













      share|improve this question











      share|improve this question




      share|improve this question










      asked Jan 2 at 10:14









      kentorkentor

      2,75342963




      2,75342963
























          1 Answer
          1






          active

          oldest

          votes


















          2














          You need to close the statement inside upsertProjectSkuCosts() (or re-use it - see the end of this post).



          When you call db.Prepare(), a connection is taken from the internal connection pool (or a new connection is created, if there aren't any free connections). The statement is then prepared on that connection (if that connection isn't free when stmt.Exec() is called, the statement is then also prepared on another connection).
          So this creates a statement inside your database for that connection. This statement will not magically disappear - having multiple prepared statements in a connection is perfectly valid. Golang could see that stmt goes out of scope, see it requires some sort of cleanup and then do that cleanup, but Golang doesn't (just like it doesn't close files for you and things like that). So you'll need to do that yourself using stmt.Close(). When you call stmt.Close(), the driver will send a command to the database server, telling it the statement is no longer needed.



          The easiest way to do this is by adding defer stmt.Close() after the err check following db.Prepare().



          What you can also do, is prepare the statement once and make that available for upsertProjectSkuCosts (either by passing the stmt into upsertProjectSkuCosts or by making upsertProjectSkuCosts a func of a struct, so the struct can have a property for the stmt). If you do this, you should not call stmt.Close() - because you aren't creating new statements anymore, you are re-using an existing statement.



          Also see Should we also close DB's .Prepare() in Golang? and https://groups.google.com/forum/#!topic/golang-nuts/ISh22XXze-s






          share|improve this answer























            Your Answer






            StackExchange.ifUsing("editor", function () {
            StackExchange.using("externalEditor", function () {
            StackExchange.using("snippets", function () {
            StackExchange.snippets.init();
            });
            });
            }, "code-snippets");

            StackExchange.ready(function() {
            var channelOptions = {
            tags: "".split(" "),
            id: "1"
            };
            initTagRenderer("".split(" "), "".split(" "), channelOptions);

            StackExchange.using("externalEditor", function() {
            // Have to fire editor after snippets, if snippets enabled
            if (StackExchange.settings.snippets.snippetsEnabled) {
            StackExchange.using("snippets", function() {
            createEditor();
            });
            }
            else {
            createEditor();
            }
            });

            function createEditor() {
            StackExchange.prepareEditor({
            heartbeatType: 'answer',
            autoActivateHeartbeat: false,
            convertImagesToLinks: true,
            noModals: true,
            showLowRepImageUploadWarning: true,
            reputationToPostImages: 10,
            bindNavPrevention: true,
            postfix: "",
            imageUploader: {
            brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
            contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
            allowUrls: true
            },
            onDemand: true,
            discardSelector: ".discard-answer"
            ,immediatelyShowMarkdownHelp:true
            });


            }
            });














            draft saved

            draft discarded


















            StackExchange.ready(
            function () {
            StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f54004494%2flimit-max-prepared-statement-count%23new-answer', 'question_page');
            }
            );

            Post as a guest















            Required, but never shown

























            1 Answer
            1






            active

            oldest

            votes








            1 Answer
            1






            active

            oldest

            votes









            active

            oldest

            votes






            active

            oldest

            votes









            2














            You need to close the statement inside upsertProjectSkuCosts() (or re-use it - see the end of this post).



            When you call db.Prepare(), a connection is taken from the internal connection pool (or a new connection is created, if there aren't any free connections). The statement is then prepared on that connection (if that connection isn't free when stmt.Exec() is called, the statement is then also prepared on another connection).
            So this creates a statement inside your database for that connection. This statement will not magically disappear - having multiple prepared statements in a connection is perfectly valid. Golang could see that stmt goes out of scope, see it requires some sort of cleanup and then do that cleanup, but Golang doesn't (just like it doesn't close files for you and things like that). So you'll need to do that yourself using stmt.Close(). When you call stmt.Close(), the driver will send a command to the database server, telling it the statement is no longer needed.



            The easiest way to do this is by adding defer stmt.Close() after the err check following db.Prepare().



            What you can also do, is prepare the statement once and make that available for upsertProjectSkuCosts (either by passing the stmt into upsertProjectSkuCosts or by making upsertProjectSkuCosts a func of a struct, so the struct can have a property for the stmt). If you do this, you should not call stmt.Close() - because you aren't creating new statements anymore, you are re-using an existing statement.



            Also see Should we also close DB's .Prepare() in Golang? and https://groups.google.com/forum/#!topic/golang-nuts/ISh22XXze-s






            share|improve this answer




























              2














              You need to close the statement inside upsertProjectSkuCosts() (or re-use it - see the end of this post).



              When you call db.Prepare(), a connection is taken from the internal connection pool (or a new connection is created, if there aren't any free connections). The statement is then prepared on that connection (if that connection isn't free when stmt.Exec() is called, the statement is then also prepared on another connection).
              So this creates a statement inside your database for that connection. This statement will not magically disappear - having multiple prepared statements in a connection is perfectly valid. Golang could see that stmt goes out of scope, see it requires some sort of cleanup and then do that cleanup, but Golang doesn't (just like it doesn't close files for you and things like that). So you'll need to do that yourself using stmt.Close(). When you call stmt.Close(), the driver will send a command to the database server, telling it the statement is no longer needed.



              The easiest way to do this is by adding defer stmt.Close() after the err check following db.Prepare().



              What you can also do, is prepare the statement once and make that available for upsertProjectSkuCosts (either by passing the stmt into upsertProjectSkuCosts or by making upsertProjectSkuCosts a func of a struct, so the struct can have a property for the stmt). If you do this, you should not call stmt.Close() - because you aren't creating new statements anymore, you are re-using an existing statement.



              Also see Should we also close DB's .Prepare() in Golang? and https://groups.google.com/forum/#!topic/golang-nuts/ISh22XXze-s






              share|improve this answer


























                2












                2








                2







                You need to close the statement inside upsertProjectSkuCosts() (or re-use it - see the end of this post).



                When you call db.Prepare(), a connection is taken from the internal connection pool (or a new connection is created, if there aren't any free connections). The statement is then prepared on that connection (if that connection isn't free when stmt.Exec() is called, the statement is then also prepared on another connection).
                So this creates a statement inside your database for that connection. This statement will not magically disappear - having multiple prepared statements in a connection is perfectly valid. Golang could see that stmt goes out of scope, see it requires some sort of cleanup and then do that cleanup, but Golang doesn't (just like it doesn't close files for you and things like that). So you'll need to do that yourself using stmt.Close(). When you call stmt.Close(), the driver will send a command to the database server, telling it the statement is no longer needed.



                The easiest way to do this is by adding defer stmt.Close() after the err check following db.Prepare().



                What you can also do, is prepare the statement once and make that available for upsertProjectSkuCosts (either by passing the stmt into upsertProjectSkuCosts or by making upsertProjectSkuCosts a func of a struct, so the struct can have a property for the stmt). If you do this, you should not call stmt.Close() - because you aren't creating new statements anymore, you are re-using an existing statement.



                Also see Should we also close DB's .Prepare() in Golang? and https://groups.google.com/forum/#!topic/golang-nuts/ISh22XXze-s






                share|improve this answer













                You need to close the statement inside upsertProjectSkuCosts() (or re-use it - see the end of this post).



                When you call db.Prepare(), a connection is taken from the internal connection pool (or a new connection is created, if there aren't any free connections). The statement is then prepared on that connection (if that connection isn't free when stmt.Exec() is called, the statement is then also prepared on another connection).
                So this creates a statement inside your database for that connection. This statement will not magically disappear - having multiple prepared statements in a connection is perfectly valid. Golang could see that stmt goes out of scope, see it requires some sort of cleanup and then do that cleanup, but Golang doesn't (just like it doesn't close files for you and things like that). So you'll need to do that yourself using stmt.Close(). When you call stmt.Close(), the driver will send a command to the database server, telling it the statement is no longer needed.



                The easiest way to do this is by adding defer stmt.Close() after the err check following db.Prepare().



                What you can also do, is prepare the statement once and make that available for upsertProjectSkuCosts (either by passing the stmt into upsertProjectSkuCosts or by making upsertProjectSkuCosts a func of a struct, so the struct can have a property for the stmt). If you do this, you should not call stmt.Close() - because you aren't creating new statements anymore, you are re-using an existing statement.



                Also see Should we also close DB's .Prepare() in Golang? and https://groups.google.com/forum/#!topic/golang-nuts/ISh22XXze-s







                share|improve this answer












                share|improve this answer



                share|improve this answer










                answered Jan 2 at 11:28









                Jory GeertsJory Geerts

                1,5661223




                1,5661223
































                    draft saved

                    draft discarded




















































                    Thanks for contributing an answer to Stack Overflow!


                    • Please be sure to answer the question. Provide details and share your research!

                    But avoid



                    • Asking for help, clarification, or responding to other answers.

                    • Making statements based on opinion; back them up with references or personal experience.


                    To learn more, see our tips on writing great answers.




                    draft saved


                    draft discarded














                    StackExchange.ready(
                    function () {
                    StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f54004494%2flimit-max-prepared-statement-count%23new-answer', 'question_page');
                    }
                    );

                    Post as a guest















                    Required, but never shown





















































                    Required, but never shown














                    Required, but never shown












                    Required, but never shown







                    Required, but never shown

































                    Required, but never shown














                    Required, but never shown












                    Required, but never shown







                    Required, but never shown







                    Popular posts from this blog

                    MongoDB - Not Authorized To Execute Command

                    Npm cannot find a required file even through it is in the searched directory

                    in spring boot 2.1 many test slices are not allowed anymore due to multiple @BootstrapWith