1

我试图了解如何使用 JSONutil 在 jquery 和 Coldfusion 之间序列化/反序列化 JSON。我被coldfusion 7卡住了,所以我不能returnformat='json'在我的cfc中使用该属性。

客户端.cfc:

<cfcomponent>
    <cffunction name="GetClientsByName"
        returntype="query" 
        hint="get clients from search term">

        <cfargument name="name" type="string" required="yes">

        <cfquery name="GetClientsByName" datasource="#application.dsn#">
            SELECT client_id, client_name
            FROM Clients
            WHERE client_name LIKE '%' + <cfqueryparam cfsqltype="cf_sql_varchar" value="#arguments.name#"> + '%'    
        </cfquery>

        <cfreturn GetClientsByName>
    </cffunction>
</cfcomponent>

jquery ajax 调用:

function getClients(name){
    $.ajax {
        type: "post"
        url: "/surveymanagement/admin/client.cfc",
        dataType: "json",
        data: {
            method: "GetClientsByName",
            name: name
        },
        success: function(data){
            $("#here").html(data)
        }
    }

现在我在哪里以及如何使用 jsonutil 来让它工作?

jsonutil 的站点:http: //jsonutil.riaforge.org/

4

2 回答 2

3

(简要说明,我的建议是先让 cfc 单独工作。这样调试 CF 问题要容易得多。在确认 cfc 返回所需的 JSON 字符串之前,不要将 jquery 添加到混合中。但回到你的问题...)

该实用程序易于使用。在您的函数内部,创建它的一个实例。然后将您的查询对象传递到serializeJSON(). 最后返回结果字符串。

请注意,您的函数签名必须支持远程访问并返回一个字符串(不是查询)

    <cffunction name="GetClientsByName" access="remote" returntype="string">
        <cfargument name="name" type="string" required="yes">

        <!--- always localize function variables --->
        <cfset var util = createObject("component", "path.to.JSONUtil")>
        <cfset var getClientsByName = "">

         .... run cfquery .....

        <!--- return JSON string --->   
        <cfreturn util.serializeJSON(getClientsByName)>

    </cffunction>

您可以直接在浏览器中(或使用cfinvoke)测试 cfc:

    http://localhost/path/to/client.cfc?method=getClientsByName&name=foo

但是,查询的本机表示方式有点尴尬 IMO。正如 Lance 所提到的,您可能更喜欢返回一个结构数组,这是一个更标准的方法。

     <cfset var results = arrayNew(1)>
     <cfset var elem = "">
     ... run query ...  

     <cfloop query="getClientsByName">
          <cfset elem = structNew()>
          <cfset elem["client_id"] = getClientsByName.client_id>
          <cfset elem["client_name"] = getClientsByName.client_name>
          <cfset arrayAppend(results, elem)>
      </cfloop>

      <cfreturn util.serializeJSON(results)>
于 2013-02-27T23:21:49.917 回答
2

看看https://stackoverflow.com/a/6257891/886591你可以使用 $getJSON

$.ajax({
  dataType: "json",
  url: url,
  data: data,
  success: success
});

Ben Nadel还有一篇非常有用的文章,关于将查询转换为数组。由于在 json 中使用查询可能会很痛苦,因此首先将它们转换为数组会更容易

于 2013-02-27T22:38:38.563 回答