WCF 서비스에서 깨끗한 JSON을 어떻게 반환합니까?


233

WCF 서비스에서 일부 JSON을 반환하려고합니다. 이 서비스는 단순히 내 데이터베이스에서 일부 내용을 반환합니다. 데이터를 얻을 수 있습니다. 그러나 JSON 형식에 대해 걱정하고 있습니다. 현재 반환되는 JSON 형식은 다음과 같습니다.

{"d":"[{\"Age\":35,\"FirstName\":\"Peyton\",\"LastName\":\"Manning\"},{\"Age\":31,\"FirstName\":\"Drew\",\"LastName\":\"Brees\"},{\"Age\":29,\"FirstName\":\"Tony\",\"LastName\":\"Romo\"}]"} 

실제로 JSON을 가능한 한 깔끔하게 형식화하고 싶습니다. 깨끗한 JSON으로 표시되는 동일한 결과 컬렉션은 다음과 같아야한다고 생각합니다.

[{
  "Age": 35,
  "FirstName": "Peyton",
  "LastName": "Manning"
}, {
  "Age": 31,
  "FirstName": "Drew",
  "LastName": "Brees"
}, {
  "Age": 29,
  "FirstName": "Tony",
  "LastName": "Romo"
}]

나는“d”가 어디에서 오는지 전혀 모른다. 또한 이스케이프 문자가 삽입되는 이유를 알지 못합니다. 내 실체는 다음과 같습니다.

[DataContract]
public class Person
{
    [DataMember]
    public string FirstName { get; set; }

    [DataMember]
    public string LastName { get; set; }

    [DataMember]
    public int Age { get; set; }

    public Person(string firstName, string lastName, int age)
    {
        this.FirstName = firstName;
        this.LastName = lastName;
        this.Age = age;
    }
}

컨텐츠 리턴을 담당하는 서비스는 다음과 같이 정의됩니다.

[ServiceContract(Namespace = "")]
[AspNetCompatibilityRequirements(RequirementsMode = AspNetCompatibilityRequirementsMode.Allowed)]
public class TestService
{
    [OperationContract]
    [WebGet(ResponseFormat = WebMessageFormat.Json)]
    public string GetResults()
    {
        List<Person> results = new List<Person>();
        results.Add(new Person("Peyton", "Manning", 35));
        results.Add(new Person("Drew", "Brees", 31));
        results.Add(new Person("Tony", "Romo", 29));

        // Serialize the results as JSON
        DataContractJsonSerializer serializer = new DataContractJsonSerializer(results.GetType());
        MemoryStream memoryStream = new MemoryStream();
        serializer.WriteObject(memoryStream, results);

        // Return the results serialized as JSON
        string json = Encoding.Default.GetString(memoryStream.ToArray());
        return json;
    }
}

WCF 서비스에서 "깨끗한"JSON을 어떻게 반환합니까? 감사합니다!


SOAP는 XML을 반환해야합니다. REST 엔드 포인트를 사용하여 JSON을 리턴 할 수 있습니다. 좀 걸릴 stackoverflow.com/questions/186631/...
아키라 야마모토

4
그건 그렇고, 다른 누군가가 이것을 발견하고 왜 "d"속성이 있는지 궁금하다면 JSON 취약점 을 패치해야 합니다 . 제거하면 다시 취약 해집니다.
Alex

4
@Alex-취약점은 최신 브라우저에서는 더 이상 불가능한 Array 객체를 재정의하는 데 의존합니다. 참조 stackoverflow.com/questions/16289894/...
Cheeso

잘 됐네요 :) 내 대답의 절반은 여전히 ​​사실입니다. 그 취약점을 패치해야했습니다.
Alex

답변:


213

GetResults의 반환 유형을로 변경하십시오 List<Person>.
List를 json 문자열로 직렬화하는 데 사용하는 코드를 제거하십시오. WCF가이를 자동으로 수행합니다.

Person 클래스에 대한 정의를 사용하면이 코드가 효과적입니다.

public List<Person> GetPlayers()
{
    List<Person> players = new List<Person>();
    players.Add(new  Person { FirstName="Peyton", LastName="Manning", Age=35 } );
    players.Add(new  Person { FirstName="Drew", LastName="Brees", Age=31 } );
    players.Add(new  Person { FirstName="Brett", LastName="Favre", Age=58 } );

    return players;
}

결과 :

[{"Age":35,"FirstName":"Peyton","LastName":"Manning"},  
 {"Age":31,"FirstName":"Drew","LastName":"Brees"},  
 {"Age":58,"FirstName":"Brett","LastName":"Favre"}]

(한 줄에 모두)

또한 메소드에서이 속성을 사용했습니다.

[WebInvoke(Method = "GET",
           RequestFormat = WebMessageFormat.Json,
           ResponseFormat = WebMessageFormat.Json,
           UriTemplate = "players")]

Method = "GET"인 WebInvoke는 WebGet과 동일하지만 일부 메소드는 POST이므로 일관성을 위해 모든 WebInvoke를 사용합니다.

UriTemplate은 메소드를 사용할 수있는 URL을 설정합니다. 그래서 GET을 수행 할 수 http://myserver/myvdir/JsonService.svc/players있으며 작동합니다.

또한 IIRF 또는 다른 URL 재 작성기를 확인하여 URI에서 .svc를 제거하십시오.


Cheeso-이 질문을 게시하기 전에이 방법을 시도했습니다. 이 접근 방식을 사용하면 " 'UriTemplate'을 사용하는 엔드 포인트를 'System.ServiceModel.Description.WebScriptEnablingBehavior'와 함께 사용할 수 없습니다"라는 오류가 발생합니다. 내가 뭘 잘못하고 있죠? 감사합니다!
user208662

28
.config 파일에서 <webScriptEnablingBehavior /> 대신 <webHttp />를 사용하십시오.
Cheeso

9
좋아, <enableWebScript /><webHttp />로 바꾸었고 효과가있었습니다.
MGOwen

3
MGowen-참고로 새로운 질문을 할 때 가장 좋은 방법은 질문을 이전 답변에 대한 의견으로 게시하는 것이 아니라 새로운 질문을 여는 것입니다.
Cheeso

5
Favre는 당신이 한 일을 봅니다.
ruffin

93

서비스 클래스에 속성을 하드 코딩하지 않고 멋진 JSON을 원한다면,

<webHttp defaultOutgoingResponseFormat="Json"/>행동 구성에서 사용



8

동일한 문제에 직면하여 BodyStyle 속성 값을 "WebMessageBodyStyle.Bare"로 변경하여 해결했습니다.

[OperationContract]
[WebGet(BodyStyle = WebMessageBodyStyle.Bare, RequestFormat = WebMessageFormat.Json,
        ResponseFormat = WebMessageFormat.Json, UriTemplate = "GetProjectWithGeocodings/{projectId}")]
GeoCod_Project GetProjectWithGeocodings(string projectId);

반환 된 객체는 더 이상 줄 바꿈되지 않습니다.


1

GET 방법을 사용하는 경우 계약이이 방법이어야합니다.

[WebGet(UriTemplate = "/", BodyStyle = WebMessageBodyStyle.Bare, ResponseFormat = WebMessageFormat.Json)]
List<User> Get();

이것으로 부팅 매개 변수가없는 json이 있습니다.

Aldo Flores @alduar http://alduar.blogspot.com


1

IServece.cs에서 다음 태그를 추가하십시오. BodyStyle = WebMessageBodyStyle.Bare

 [WebInvoke(Method = "GET", ResponseFormat = WebMessageFormat.Json, BodyStyle = WebMessageBodyStyle.Bare, UriTemplate = "Getperson/{id}")]

    List<personClass> Getperson(string id);

BodyStyle이 결과에 영향을 줄 수있는 이유를 설명 할 수 있습니까?
MBH
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.