Go 中的行计数
从数据库中检索行数是 Go 应用程序中的基本操作。一种方法是使用 db.Query 函数来执行原始 SQL 查询。通过将查询设置为 SELECT COUNT(*) FROM,您可以获取行计数。
<code class="go">count, err := db.Query("SELECT COUNT(*) FROM main_table")</code>
但是,您需要扫描返回的行才能访问实际计数值。
<code class="go">var rowCount int if err := rows.Scan(&rowCount); err != nil { log.Fatal(err) }</code>
然后您可以打印 rowCount:
<code class="go">fmt.Printf("Number of rows are %s\n", rowCount)</code>
为了简单起见,建议在这种情况下使用 db.QueryRow 而不是 db.Query,因为您预计只返回一行。
<code class="go">var rowCount int err := db.QueryRow("SELECT COUNT(*) FROM main_table").Scan(&rowCount)</code>
通过使用 QueryRow(),您可以避免关闭结果并使用 switch 优雅地处理错误:
<code class="go">switch { case err != nil: log.Fatal(err) default: fmt.Printf("Number of rows are %s\n", rowCount) }</code>
这提供了一种简洁有效的方法来从Go 中的数据库。
以上是如何计算 Go 数据库中的行数?的详细内容。更多信息请关注PHP中文网其他相关文章!