Golang,Ajax - 如何在成功函数中 return 切片或结构?

Golang, Ajax - How to return slices or struct in a success function?

我的问题类似于 this link. 中的问题,我需要 return 从 golang 到 ajax 成功块的多个切片或结构。我试图将我的切片编组为 JSON 但它在 ajax 中作为字符串接收。我需要将它作为数组接收。是否可以发送多个数组或这样的结构?

我的代码:

b, _ := json.Marshal(aSlice)      // json Marshal
c, _ := json.Marshal(bSlice)
this.Ctx.ResponseWriter.Write(b) // Beego responsewriter
this.Ctx.ResponseWriter.Write(c)

我的ajax:

$.ajax({
        url: '/delete_process',
        type: 'post',
        dataType: 'html',
        data : "&processName=" + processName,
        success : function(data) {
            alert(data);
            alert(data.length)
        }
});

提前致谢。

您的 ajax 请求的 dataType 参数应该是 json,因为您期望来自服务器的 JSON 数据。但是,如果您的服务器没有响应有效的 JSON,则 ajax 请求将导致错误。检查浏览器的 javascript 控制台是否有错误。

从您目前在控制器中所做的事情来看,它肯定会导致无效的 JSON 响应。见下文。

aSlice := []string{"foo", "bar"}
bSlice := []string{"baz", "qux"}

b, _ := json.Marshal(aSlice) // json Marshal
c, _ := json.Marshal(bSlice)

this.Ctx.ResponseWriter.Write(b) // Writes `["foo","bar"]`
this.Ctx.ResponseWriter.Write(c) // Appends `["baz","qux"]`

这导致发送 ["foo","bar"]["baz","qux"] 那只是两个附加在一起的 JSON 数组字符串。无效。

您可能想发送给浏览器的是:[["foo","bar"],["baz","qux"]].

那是两个数组的数组。您可以这样做以从服务器发送它。

aSlice := []string{"foo", "bar"}
bSlice := []string{"baz", "qux"}

slice := []interface{}{aSlice, bSlice}

s, _ := json.Marshal(slice) 
this.Ctx.ResponseWriter.Write(s) 

而在javascript这边,

$.ajax({
        url: '/delete_process',
        type: 'post',
        dataType: 'json',
        data : "&processName=" + processName,
        success : function(data) {
            alert(data);
            alert(data[0]);    // ["foo","bar"]
            alert(data[1]);    // ["baz","qux"]
            alert(data.length) // 2
        }
});

@AH 的回答对多个切片非常有效。现在,如果您想要一个 Struct,您应该稍微更改一下代码:

 package controllers

import "github.com/astaxie/beego"
import "encoding/json"


type Controller2 struct {
    beego.Controller
}

type Controller2Result struct {
    Accommodation []string
    Vehicle []string
}

func (this *Controller2) Post() {
   var result Controller2Result

   aSlice := []string{"House", "Apartment", "Hostel"}
   bSlice := []string{"Car", "Moto", "Airplane"}
   result.Accommodation = aSlice
   result.Vehicle = bSlice

   s, _ := json.Marshal(result) 
   this.Ctx.ResponseWriter.Header().Set("Content-Type", "application/json")
   this.Ctx.ResponseWriter.Write(s) 

}

Ajax

  $.ajax({
           url: '/Controller2',
           type: 'post',
           dataType: 'json',
           //data : "&processName=" + processName,
           success : function(data) {
              alert(JSON.stringify(data));
           }
         });

如何解释here alert只能显示字符串,data是JavaScript的对象类型。所以你必须使用 JSON.stringify 将对象变成 JSON-String.