」工欲善其事,必先利其器。「—孔子《論語.錄靈公》
首頁 > 程式設計 > 過於簡化的 Golang 頻道!

過於簡化的 Golang 頻道!

發佈於2024-08-21
瀏覽:928

Oversimplified Golang Channel!

TL;DR

The article explains Go channels, which enable safe communication between goroutines. It covers how to create, send, and receive data through channels, distinguishing between unbuffered and buffered types. It emphasizes the importance of closing channels to prevent deadlocks and improve resource management. Finally, it introduces the select statement for managing multiple channel operations efficiently.


Table of Contents

  1. Introduction to Go Channels
  2. Creating a Channel
  3. Sending Data
  4. Receiving Data
  5. Channel Types in Go
    • Unbuffered Channels
    • Buffered Channels
  6. Closing a Channel
    • Why Close Channels?
  7. Code Snippet Without Closing the Channel
    • Expected Output and Error
  8. Code Snippet With Closing the Channel
    • Expected Output
  9. Using the select Statement
    • Example of select with Channels
  10. FAQ on select
  11. Ensuring Messages from Both Channels Using WaitGroup
    • Example of using WaitGroup
  12. Conclusion

Introduction to Go Channels

Go, or Golang, is a powerful programming language designed for simplicity and efficiency. One of its standout features is the concept of channels, which facilitate communication between goroutines. Channels allow for safe data exchange and synchronization, making concurrent programming easier and more manageable.

In this article, we will explore channels in Go, breaking down their creation, data transmission, and reception. This will help you understand how to leverage channels effectively in your applications.

Creating a Channel

To create a channel in Go, you use the make function. Here's a simple code snippet demonstrating how to create a channel:

package main

import "fmt"

func main() {
    // Create a channel of type int
    ch := make(chan int)
    fmt.Println("Channel created:", ch)
}

In this example, we create a channel ch that can send and receive integers. The channel is unbuffered by default, meaning that it will block until both the sender and receiver are ready.

When you run the provided Go code, the output will look something like this:

Channel created: 0xc000102060

Explanation

  1. Channel Creation:

    • The line ch := make(chan int) creates a new channel of type int. This channel can be used to send and receive integer values.
  2. Channel Address:

    • The output 0xc000102060 is the memory address of the channel. In Go, when you print a channel, it displays its internal representation, which includes its address in memory.
    • This address indicates where the channel is stored in memory, but it doesn't provide any information about the channel's state or contents.

Sending Data

Once a channel is created, you can send data into it using the

go func() {
    ch 



In this snippet, we start a new goroutine that sends the integer value 42 into the channel ch. This asynchronous operation allows the main program to continue executing while the value is sent.

Receiving Data

To receive data from a channel, you also use the

value := 



In this example, we read from the channel ch and store the received value in the variable value. The program will block at this line until a value is available to read.

Channel Types in Go

In Go, channels can be categorized primarily into two types: unbuffered and buffered channels. Understanding these types is essential for effective concurrent programming.

1. Unbuffered Channels

An unbuffered channel is the simplest type. It does not have any capacity to hold data; it requires both the sender and receiver to be ready at the same time.

Characteristics:

  • Blocking Behavior: Sending and receiving operations block until both parties are ready. This ensures synchronization between goroutines.
  • Use Case: Best for scenarios where you want strict synchronization or when the communication is infrequent.

Example:

ch := make(chan int) // Unbuffered channel
go func() {
    ch 



2. Buffered Channels

Buffered channels allow you to specify a capacity, meaning they can hold a limited number of values before blocking sends.

Characteristics:

  • Non-blocking Sends: A send operation only blocks when the buffer is full. This allows for greater flexibility and can improve performance in certain scenarios.
  • Use Case: Useful when you want to decouple the sender and receiver, allowing the sender to continue executing until the buffer is filled.

Example:

ch := make(chan int, 2) // Buffered channel with capacity of 2
ch 



What is Closing a Channel?

In Go, closing a channel is an operation that signals that no more values will be sent on that channel. This is done using the close(channel) function. Once a channel is closed, it cannot be reopened or sent to again.

Why Do We Need to Close Channels?

  1. Signal Completion: Closing a channel indicates to the receiving goroutine that no more values will be sent. This allows the receiver to know when to stop waiting for new messages.

  2. Preventing Deadlocks: If a goroutine is reading from a channel that is never closed, it can lead to deadlocks where the program hangs indefinitely, waiting for more data that will never arrive.

  3. Resource Management: Closing channels helps in managing resources effectively, as it allows the garbage collector to reclaim memory associated with the channel once it is no longer in use.

  4. Iteration Control: When using a for range loop to read from a channel, closing the channel provides a clean way to exit the loop once all messages have been processed.

In this section, we will explore a Go code snippet that demonstrates the use of unbuffered channels. We will analyze the behavior of the code with and without closing the channel, as well as the implications of each approach.

Code Snippet Without Closing the Channel

Here’s the original code snippet without the close statement:

package main

import (
    "fmt"
)

func main() {
    messages := make(chan string)

    go func() {
        messages 



Expected Output and Error

fatal error: all goroutines are asleep - deadlock!

When you run this code, it will compile and execute, but it will hang indefinitely without producing the expected output. The reason is that the for msg := range messages loop continues to wait for more messages, and since the channel is never closed, the loop has no way of knowing when to terminate. This results in a deadlock situation, causing the program to hang.

Code Snippet With Closing the Channel

Now, let’s add the close statement back into the code:

package main

import (
    "fmt"
)

func main() {
    messages := make(chan string)

    go func() {
        messages 



Expected Output

With the close statement included, the output of this code will be:

Message 1
Message 2
Message 3

Explanation of Closure Behavior

In this version of the code:

  • The close(messages) statement signals that no more messages will be sent on the messages channel.
  • The for msg := range messages loop can now terminate gracefully once all messages have been received.
  • Closing the channel allows the range loop to exit after processing all messages, preventing any deadlock situation.

Again, what if you don't close the channel?

Let's imagine a scenario where channels in Go are like people in a conversation.


Scene: A Coffee Shop

Characters:

  • Alice: Always eager to share ideas.
  • Bob: Takes a long time to respond.

Conversation:

Alice: "Hey Bob, did you hear about the new project? We need to brainstorm!"

Bob sips his coffee, staring blankly. The conversation is paused.

Alice: "Hello? Are you there?"

Bob looks up, still processing.

Bob: "Oh, sorry! I was... uh... thinking."

Minutes pass. Alice starts to wonder if Bob is even still in the chat.

Alice: "Should I keep talking or just wait for a signal?"

Bob finally responds, but it’s completely off-topic.

Bob: "Did you know that sloths can hold their breath longer than dolphins?"

Alice facepalms.

Alice: "Great, but what about the project?"

Bob shrugs, lost in thought again. The coffee shop becomes awkwardly silent.

Alice: "Is this conversation ever going to close, or will I just be here forever?"

Bob, now fascinated by the barista, mutters something about coffee beans.

Alice: "This is like a Go channel that never gets closed! I feel like I’m stuck in an infinite loop!"

Bob finally looks back, grinning.

Bob: "So... about those sloths?"


Moral of the Story: Sometimes, when channels (or conversations) don’t close, you end up with endless topics and no resolution—just like a chat that drags on forever without a conclusion!

Go Channels and the select Statement

Go's concurrency model is built around goroutines and channels, which facilitate communication between concurrent processes. The select statement is vital for managing multiple channel operations effectively.

Using select with Channels

Here's an example of using select with channels:

package main

import (
    "fmt"
    "time"
)

func main() {
    ch1 := make(chan string)
    ch2 := make(chan string)

    go func() {
        time.Sleep(1 * time.Second)
        ch1 



Output with select:

Result from channel 1

Why Does It Print Only One Output?

In Go, the select statement is a powerful construct used for handling multiple channel operations. When working with channels, you might wonder why a program prints only one output when multiple channels are involved. Let’s explore this concept through a simple example.

Scenario Overview

Consider the program that involves two channels: ch1 and ch2. Each channel receives a message after a delay, but only one message is printed at the end. You might ask, "Why does it only print one output?"

Timing and Concurrency

  1. Channel Initialization: Both ch1 and ch2 are created to handle string messages.

  2. Goroutines:

    • A goroutine sends a message to ch1 after a 1-second delay.
    • Another goroutine sends a message to ch2 after a 2-second delay.
  3. Select Statement: The select statement listens for messages from both channels. It blocks until one of the channels is ready to send a message.

Execution Flow

  • When the program runs, it waits for either ch1 or ch2 to send a message.
  • After 1 second, ch1 is ready, allowing the select statement to execute the case for ch1.
  • Importantly, select can only execute one case at a time. Once a case is selected, it exits the select block.

FAQ on select

Q: Is it possible to wait for all channels in select to print all outputs?

A: No, the select statement is designed to handle one case at a time. To wait for multiple channels and print all outputs, you would need to use a loop or wait group.

Q: What happens if both channels are ready at the same time?

A: If both channels are ready simultaneously, Go will choose one at random to process, so the output may vary between executions.

Q: Can I handle timeouts with select?

A: Yes, you can include a timeout case in the select statement, allowing you to specify a duration to wait for a message.

Q: How can I ensure I receive messages from both channels?

A: To receive messages from both channels, consider using a loop with a select statement inside it, or use a sync.WaitGroup to wait for multiple goroutines to complete their tasks.

Ensuring Messages from Both Channels Using WaitGroup in Go

To ensure you receive messages from both channels in Go, you can use a sync.WaitGroup. This allows you to wait for multiple goroutines to complete before proceeding.

Here’s an example:

package main

import (
    "fmt"
    "sync"
    "time"
)

func main() {
    ch1 := make(chan string)
    ch2 := make(chan string)
    var wg sync.WaitGroup

    // Start goroutine for channel 1
    wg.Add(1)
    go func() {
        defer wg.Done()
        time.Sleep(1 * time.Second)
        ch1 



Output

Result from channel 1
Result from channel 2

Explanation

  1. Channels and WaitGroup: Two channels, ch1 and ch2, are created. A sync.WaitGroup is used to wait for both goroutines to finish.

  2. Goroutines: Each goroutine sends a message to its channel after a delay. The wg.Done() is called to signal completion.

  3. Closing Channels: After all goroutines are done, the channels are closed to prevent any further sends.

  4. Collecting Results: A loop with a select statement is used to receive messages from both channels until both messages are collected.

  5. Final Output: The collected messages are printed.

This method ensures that you wait for both channels to send their messages before proceeding.

If you're interested in learning more about using sync.WaitGroup in Go, check out this article on concurrency: Golang Concurrency: A Fun and Fast Ride.

Real world example

Let's compare the two versions of a program in terms of their structure, execution, and timing.

Sequential Execution Version

This version processes the jobs sequentially, one after the other.

package main

import (
    "fmt"
    "time"
)

func worker(id int, job int) string {
    time.Sleep(time.Second) // Simulate work
    return fmt.Sprintf("Worker %d completed job %d", id, job)
}

func main() {
    start := time.Now()
    results := make([]string, 5)

    for j := 1; j 



Output:

Worker 1 completed job 1
Worker 1 completed job 2
Worker 1 completed job 3
Worker 1 completed job 4
Worker 1 completed job 5
It took 5.048703s to execute!

Concurrent Execution Version

This version processes the jobs concurrently using goroutines and channels.

package main

import (
    "fmt"
    "time"
)

func worker(id int, jobs 



Output:

Worker 1 completed job 1
Worker 2 completed job 2
Worker 3 completed job 3
Worker 1 completed job 4
Worker 2 completed job 5
It took 2.0227664s to execute!

Comparison

Structure:

  • Sequential Version: Calls the worker function directly in a loop. No concurrency.
  • Concurrent Version: Uses goroutines to run multiple worker functions concurrently and channels for job distribution and result collection.

Execution:

  • Sequential Version: Each job is processed one after the other, taking 1 second per job, leading to a total execution time roughly equal to the number of jobs (5 seconds for 5 jobs).
  • Concurrent Version: Multiple workers (3 in this case) process jobs concurrently, reducing the total execution time significantly. Jobs are distributed among the workers, and results are collected via channels.

Timing:

  • Sequential Version: Took approximately 5.048703 seconds.
  • Concurrent Version: Took approximately 2.0227664 seconds.

The concurrent version is significantly faster because it leverages parallel execution, allowing multiple jobs to be processed simultaneously. This reduces the total execution time to around the time it takes to complete the longest job, divided by the number of workers, rather than summing up the time for each job as in the sequential version.

Official Documentation References

  1. Go Documentation - Goroutines

    Goroutines

  2. Go Documentation - Channels

    Channels

  3. Go Blog - Concurrency in Go

    Concurrency in Go

  4. Go Documentation - The select Statement

    Select Statement

  5. Go Tour - Channels

    Tour of Go: Channels

Conclusion

In summary, the article provides a clear and simplified overview of channels in Go, emphasizing their role in facilitating safe communication between goroutines. By explaining the concepts of unbuffered and buffered channels, the article highlights their distinct behaviors and appropriate use cases. Additionally, it underscores the importance of closing channels to prevent deadlocks and ensure efficient resource management. With practical code examples and relatable analogies, the article equips readers with a foundational understanding of how to effectively utilize channels in their Go applications, paving the way for more robust concurrent programming.

版本聲明 本文轉載於:https://dev.to/ashsajal/oversimplified-golang-channel-2e42?1如有侵犯,請聯絡[email protected]刪除
最新教學 更多>
  • Encore.ts — 比 ElysiaJS 和 Hono 更快
    Encore.ts — 比 ElysiaJS 和 Hono 更快
    几个月前,我们发布了 Encore.ts — TypeScript 的开源后端框架。 由于已经有很多框架,我们想分享我们做出的一些不常见的设计决策以及它们如何带来卓越的性能数据。 性能基准 我们之前发布的基准测试显示 Encore.ts 比 Express 快 9 倍,比 Fasti...
    程式設計 發佈於2024-11-05
  • 為什麼使用 + 對字串文字進行字串連接失敗?
    為什麼使用 + 對字串文字進行字串連接失敗?
    連接字串文字與字串在 C 中,運算子可用於連接字串和字串文字。但是,此功能存在限制,可能會導致混亂。 在問題中,作者嘗試連接字串文字「Hello」、「,world」和「!」以兩種不同的方式。第一個例子:const string hello = "Hello"; const str...
    程式設計 發佈於2024-11-05
  • React 重新渲染:最佳效能的最佳實踐
    React 重新渲染:最佳效能的最佳實踐
    React高效率的渲染機制是其受歡迎的關鍵原因之一。然而,隨著應用程式複雜性的增加,管理元件重新渲染對於最佳化效能變得至關重要。讓我們探索優化 React 渲染行為並避免不必要的重新渲染的最佳實踐。 1. 使用 React.memo() 作為函數式元件 React.memo() 是...
    程式設計 發佈於2024-11-05
  • 如何實作條件列建立:探索 Pandas DataFrame 中的 If-Elif-Else?
    如何實作條件列建立:探索 Pandas DataFrame 中的 If-Elif-Else?
    Creating a Conditional Column: If-Elif-Else in Pandas給定的問題要求將新列新增至DataFrame 中基於一系列條件標準。挑戰在於在實現這些條件的同時保持程式碼效率和可讀性。 使用函數應用程式的解決方案一種方法涉及創建一個將每一行映射到所需結果的函...
    程式設計 發佈於2024-11-05
  • 介紹邱!
    介紹邱!
    我很高興地宣布發布 Qiu – 一個嚴肅的 SQL 查詢運行器,旨在讓原始 SQL 再次變得有趣。老實說,ORM 有其用武之地,但當您只想編寫簡單的 SQL 時,它們可能會有點不知所措。我一直很喜歡寫原始 SQL 查詢,但我意識到我需要練習——大量的練習。這就是Qiu發揮作用的地方。 有了 Qiu...
    程式設計 發佈於2024-11-05
  • 為什麼 CSS 中的 Margin-Top 百分比是根據容器寬度計算的?
    為什麼 CSS 中的 Margin-Top 百分比是根據容器寬度計算的?
    CSS 中的 margin-top 百分比計算CSS 中的 margin-top 百分比計算當對元素應用 margin-top 百分比時,必須了解計算方式執行。與普遍的看法相反,邊距頂部百分比是根據包含塊的寬度而不是其高度來確定的。 W3C 規範解釋:W3C 規範解釋:根據W3C 規範,“百分比是根...
    程式設計 發佈於2024-11-05
  • 如何解決 CSS 轉換期間 Webkit 文字渲染不一致的問題?
    如何解決 CSS 轉換期間 Webkit 文字渲染不一致的問題?
    解決CSS 轉換期間的Webkit 文本渲染不一致在CSS 轉換期間,特別是縮放元素時,Webkit 中可能會出現文本渲染不一致的情況瀏覽器。這個問題源自於瀏覽器嘗試優化渲染效能。 一種解決方案是透過添加以下屬性來強制對過渡元素的父元素進行硬體加速:-webkit-transform: transl...
    程式設計 發佈於2024-11-05
  • 使用 Reactables 簡化 RxJS
    使用 Reactables 簡化 RxJS
    介紹 RxJS 是一個功能強大的庫,但眾所周知,它的學習曲線很陡峭。 這個函式庫龐大的 API 介面,再加上向反應式程式設計的典範轉移,可能會讓新手不知所措。 我創建了 Reactables API 來簡化 RxJS 的使用並簡化開發人員對反應式程式設計的介紹。 ...
    程式設計 發佈於2024-11-05
  • 如何在 Pandas 中找到多列的最大值?
    如何在 Pandas 中找到多列的最大值?
    找出 Pandas 中多列的最大值要確定 pandas DataFrame 中多列的最大值,可以採用多種方法。以下是實現此目的的方法:對指定列使用max() 函數此方法涉及明確選擇所需的列並應用max() 函數: df[["A", "B"]] df[[&quo...
    程式設計 發佈於2024-11-05
  • CI/CD 入門:自動化第一個管道的初學者指南(使用 Jenkins)
    CI/CD 入門:自動化第一個管道的初學者指南(使用 Jenkins)
    目錄 介紹 什麼是 CI/CD? 持續整合(CI) 持續交付(CD) 持續部署 CI/CD 的好處 更快的上市時間 提高程式碼品質 高效率協作 提高自動化程度和一致性 如何建立您的第一個 CI/CD 管道 第 1 步:設定版本控制 (GitHub) 步驟 2: 選擇 CI/CD ...
    程式設計 發佈於2024-11-05
  • TypeScript 如何讓 JavaScript 在大型專案中更加可靠。
    TypeScript 如何讓 JavaScript 在大型專案中更加可靠。
    介绍 JavaScript 广泛应用于 Web 开发,现在也被应用于不同行业的大型项目中。然而,随着这些项目的增长,管理 JavaScript 代码变得更加困难。数据类型不匹配、运行时意外错误以及代码不清晰等问题可能会导致查找和修复错误变得困难。 这就是TypeScript介入的地...
    程式設計 發佈於2024-11-05
  • 如何使用PHP的password_verify函數安全地驗證使用者密碼?
    如何使用PHP的password_verify函數安全地驗證使用者密碼?
    使用 PHP 解密加密密碼許多應用程式使用密碼雜湊等加密演算法安全地儲存使用者密碼。然而,在驗證登入嘗試時,將輸入密碼與加密的儲存版本進行比較非常重要。 加密問題password_hash 使用 Bcrypt,一元加密演算法方式雜湊演算法,表示加密的密碼無法逆轉或解密。這是一項安全功能,可確保即使資...
    程式設計 發佈於2024-11-05
  • 學習 Vue 部分 建立天氣應用程式
    學習 Vue 部分 建立天氣應用程式
    深入研究 Vue.js 就像在 DIY 工具包中發現了一個新的最喜歡的工具——直觀、靈活,而且功能強大得驚人。我接觸 Vue 的第一個副業專案是一個天氣應用程序,它教會了我很多關於框架功能以及一般 Web 開發的知識。這是我到目前為止所學到的。 1. Vue 入門:簡單與強大 Vu...
    程式設計 發佈於2024-11-05
  • NFT 預覽卡組件
    NFT 預覽卡組件
    ?剛剛完成了我的最新專案:使用 HTML 和 CSS 的「NFT 預覽卡元件」! ?查看並探索 GitHub 上的程式碼。歡迎反饋! ? GitHub:[https://github.com/khanimran17/NFT-preview-card-component] ?現場示範:[https:...
    程式設計 發佈於2024-11-05
  • Android 應用程式如何連接到 Microsoft SQL Server 2008?
    Android 應用程式如何連接到 Microsoft SQL Server 2008?
    將Android 應用程式連接到Microsoft SQL Server 2008Android 應用程式可以無縫連接到中央資料庫伺服器,包括Microsoft SQL Server 2008。這種連接允許開發人員從其行動應用程式存取和管理儲存在遠端伺服器上的資料。 連接方法雖然提供的範例程式碼專注...
    程式設計 發佈於2024-11-05

免責聲明: 提供的所有資源部分來自互聯網,如果有侵犯您的版權或其他權益,請說明詳細緣由並提供版權或權益證明然後發到郵箱:[email protected] 我們會在第一時間內為您處理。

Copyright© 2022 湘ICP备2022001581号-3