Go 정적 파일 서버에서 404 오류 처리
Go 서버를 사용하여 정적 파일을 제공할 때 발견되지 않은 파일 요청은 일반적으로 404 Not 오류를 발생시킵니다. 오류가 발견되었습니다. 이 동작을 사용자 정의하고 사용자를 index.html과 같은 특정 페이지로 리디렉션하기 위해 사용자 정의 핸들러를 구현할 수 있습니다.
사용자 정의 핸들러 생성
기본 FileServer Go 표준 라이브러리에서 제공하는 핸들러는 오류 사용자 정의를 지원하지 않습니다. 사용자 정의 핸들러를 구현하려면 이를 래핑하고 응답 상태 코드를 모니터링하십시오. 404 오류가 감지되면 응답을 리디렉션으로 바꾸세요.
다음은 상태 코드를 검사하는 샘플 응답 작성기입니다.
<code class="go">type NotFoundRedirectRespWr struct { http.ResponseWriter // Embedded http.ResponseWriter status int } func (w *NotFoundRedirectRespWr) WriteHeader(status int) { w.status = status if status != http.StatusNotFound { w.ResponseWriter.WriteHeader(status) } } func (w *NotFoundRedirectRespWr) Write(p []byte) (int, error) { if w.status != http.StatusNotFound { return w.ResponseWriter.Write(p) } return len(p), nil // Lie about successful writing }</code>
파일 서버 핸들러 래핑
래핑된 핸들러 함수는 원래 핸들러를 호출하고 상태 코드를 확인합니다. 404인 경우 index.html로 리디렉션됩니다.
<code class="go">func wrapHandler(h http.Handler) http.HandlerFunc { return func(w http.ResponseWriter, r *http.Request) { nfrw := &NotFoundRedirectRespWr{ResponseWriter: w} h.ServeHTTP(nfrw, r) if nfrw.status == 404 { log.Printf("Redirecting %s to index.html.", r.RequestURI) http.Redirect(w, r, "/index.html", http.StatusFound) } } }</code>
사용자 정의 핸들러 사용
메인 함수에서 루트 URL에 래핑된 핸들러를 등록합니다. :
<code class="go">func main() { fs := wrapHandler(http.FileServer(http.Dir("."))) http.HandleFunc("/", fs) panic(http.ListenAndServe(":8080", nil)) }</code>
로그 출력
존재하지 않는 파일에 액세스하려고 하면 다음 로그가 생성됩니다.
2017/11/14 14:10:21 Redirecting /a.txt3 to /index.html. 2017/11/14 14:10:21 Redirecting /favicon.ico to /index.html.
참고 : favicon.ico를 포함하여 발견되지 않은 모든 파일은 index.html로 리디렉션됩니다. 이를 원하지 않는 경우 필요에 따라 예외를 추가할 수 있습니다.
전체 코드 샘플
전체 코드 예제를 보려면 Go Playground를 방문하세요.
[https://go.dev/play/p/51SEMfTIM8s](https://go.dev/play/p/51SEMfTIM8s)
위 내용은 404 오류 응답을 사용자 정의하고 Go 정적 파일 서버의 특정 페이지로 사용자를 리디렉션하려면 어떻게 해야 하나요?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!