Display two domain object values as one JSON output - json

I am working on grails and I have a use case with two domain classes class A and class B which are independent classes.I want the class A and class B values in one JSON view.
class A
String name,
String age
class B
String report
In Bootstrap.groovy file i have written the below format to display the values in JSON view.
JSON.registerObjectMarshaller(A) {it->
def result = [:]
result['name'] = it.name
result['age'] = it.age
result['report'] = it.report //It throws an error no such property: report for class A.How to write it in a proper JSON format to retrieve the report value?
return result
}

From the documentation
Groovy comes with integrated support for converting between Groovy
objects and JSON. The classes dedicated to JSON serialisation and
parsing are found in the groovy.json package.
For example you could use groovy.json.JsonBuilder
In your example you could try this
Having classes A and B
class A {
String name
String age
}
class B {
String report
}
Import JsonBuilder in Bootstrap.groovy file
import groovy.json.JsonBuilder
An then you can try
A a = new A(name: 'ana', age: '15')
B b = new B(report: 'lorem ipsum...')
JsonBuilder jsonBuilder = new JsonBuilder()
jsonBuilder.result {
name a.name
age a.age
report b.report
}
println jsonBuilder.toString()
Output
{"result":{"name":"ana","age":"15","report":"lorem ipsum..."}}

If you want a more reusable code, then you can create a new class with public properties you want to show up in the json result.
class MyJSONResult(){
String name
String age
String report
// add more properties as needed
// constructor
MyJSONResult(A a, B b){
name = a.name
age = a.name
report = b.report
}
}
//when you need json result,
import grails.converters.JSON
def json = new MyJSONResult(a, b)
render json as JSON
The good thing about creating a new class and an object is that you can reuse it. For example if you needed to show the same result in the gsp page, you can pass the object to a view and access its properties.
def json = new MyJSONResult(a, b)
render view:'myview', model:[myVar: json]
// in gsp views
${myVar.name}
This way any business logic you used in building the json payload can be used for your api or anywhere else you may need to use them

Related

Saving Document directly as a value of id in Spring-data-Couchbase

I want to save a JSON object as a Document in Couchbase. The id of this document is supposed to be retrieved from this JSON object and the value is supposed to be this JSON object itself. Since this JSON is too complex, I haven't mapped it directly to any POJO class, but I have created a Simple POJO, which has two fields as shown below
#Document
public class SimplePojo{
#Id
private String id;
#Field()
private String complexJsonString;//the JSON string is stored in this variable
}
I also have a SimplePojoRepository as shown below
#Component
public interface SimplePojoRepository extends CouchbaseRepository<SimplePojo, String>{
}
Now, I am setting the id and complexJsonString manually before calling the save method:-
SimplePojo myObj= new SimplePojo();
myObj.setId(myKey);
myObj.setComplexJsonString(jsonString);
simplePojoRepository.save(myObj);
This is working fine, but it is saving the Document in below format
myKey: {
complexJsonString : {//the original json Object here}
}
but I don't want this, I want to save it like this:-
myKey : {//the original json Object here}
So, to make it clear, I don't want to save my JSON object as a value of complexJsonString but rather, directly as a value of the myKey . Can someone please guide me on how to achieve this?
If you want to store the complexJsonString as a nested entity within your main object, you have to transform it in a Pojo:
myObj.setSomeEntity(new SomeEntity())
You can easily transform your JSON-encoded String to object using jackson's ObjectMapper:
ObjectMapper mapper = new ObjectMapper();
mapper.readValue( jsonString, SomeEntity.class);
However, if you don't have control on the structure of this json, you will need to use the standard Java SDK instead of the Spring Data One:
JsonObject obj = JsonObject.create().put(this.documentTypeName, this.documentValue)
.put("attrNam1", "attrValue1")
.put("attrNam2", "attrValue2")
JsonDocument doc = JsonDocument.create(session.getId(), maxExpirationTime, obj);
bucket.upsert(doc)
In the case above, you will need to parse your JSON-encoded string using some lib (ex: gson/jackson) and then convert it to a couchbase JsonDocument.
Lastly, you could also leave your code as it is and use the N1QL function DECODE_JSON() whenever you need to access some property of this json string.
ex:
SELECT
i.itemName as itemName,
SUM(i.quantity) AS totalQuantity
FROM sessionstore s
UNNEST DECODE_JSON(s.sessionCart).shoppingCart.items i
WHERE s.sessionCart IS NOT MISSING
GROUP BY i.itemName
ORDER BY SUM(i.quantity) DESC
LIMIT 10

How do I render plain object as JSON, XML in Grails?

I have a controller (RestfulController) code similar to the following:
def doSomethingAwesome() {
Domain domainObject = prepareDomainObject()
//do something on the domain object
Model model = new Model(name: domainObject.name, description: domainObject.description)
respond model
}
As can be seen, I'm trying to respond with data wrapped inside a Model object. However, Model class is not a domain class; it's just a plain Groovy class. When I try to test this code in isolation, I get it to pass, but when I test it with all the other tests, I get GroovyCastException saying the object cannot be cast to JSON.
Some of the articles that came up of my searches suggest I put the model object inside a map then have that map get rendered. Something like:
render ['model': model] as JSON
However, this isn't how I'd like the response message to be. In addition, the XML message would look very different.
The Grails 2.4.3 demo project at https://github.com/jeffbrown/pogorespond demonstrates passing a POGO (not a domain class) to the respond method. https://github.com/jeffbrown/pogorespond/blob/1646c64fe2b37856fc87b64ae1cf5a6c4fd44cb1/grails-app/controllers/demo/DemoController.groovy contains the following:
package demo
class DemoController {
static responseFormats = ['json']
def index() {
def m = new Model(name: 'Some Name', description: 'Some Description')
respond m
}
}
class Model {
String name
String description
}

How does one parse a complex domain object to JSON object in grails?

Okay first off , I am extremely new to grails. And I am quite stuck at converting a domain object to JSON.
My domain class looks as follows
class MoneyTransfer {
Account fromAccount
Date sourceTransactionDate
TransactionStatus sourceTransactionStatus
String sourceTransactionMessage
Account toAccount
Date destinationTransactionDate
TransactionStatus destinationTransactionStatus
String destinationTransactionMessage
double amount
String note
Status status
PianoUser creator
String errorMessage
// predefined grails date create & modified & version
Date dateCreated
Date lastUpdated
String uniqueId
}
How does one convert such a domain class's object to JSON object ?
I tried using grails.converters.JSON and grails.converters.deep.JSON as follows
class MyTransferController{
def xyz(){
MoneyTransfer monetTransferInstance = getMoneyTransferInstance();
def moneyTransferJson = fundTrasnferInstance as JSON //doesnot work
}
}
How do I convert my domain class's object to JSON Object? Any suggestion would be appreciated.
Try this
import grails.converters.JSON
class MyTransferController {
def xyz() {
MoneyTransfer moneyTransferInstance = getMoneyTransferInstance()
render moneyTransferInstance as JSON
}
}

Convert grails domain object to JSON and manipulate it

I have a grails object that I am converting using def json = object as JSON. After I have it converted I want to add one more property called pin to the JSON which looks like the following.
[location:[lat:23.03, lon:72.58]]
Only way to do this so far seems like following
Serialize the DomainClass to JSON using grails.converters.json
Convert the JSON to string
Create JSONBoject using the string from Step 2
Add the property
Convert it back to String
Any other way to do this using grails.converters.json? I have tried using Gson but I do not want to go that route because I am getting many Circular Reference Errors
Try this:
domainInstance.properties + [pin: pinInstance] as JSON
I recently needed to do a similar thing. Some caveats:
This is using Grails 2.4.5
I use MongoDB as a backend. As such, I created an object marshaller for MongoDB domain classes. It is printed below, and you can wrap a similar marshaller for your domain class(es):
Marshaller:
class MongodbObjectMarshaller implements ObjectMarshaller<JSON> {
#Override
boolean supports(Object o) { return o?.properties?.dbo }
#Override
void marshalObject(Object obj, JSON converter) throws
ConverterException {
Map propertiesToOutput = obj.properties.dbo
propertiesToOutput.remove("_id") //don't print org.bson.types.ObjectId
propertiesToOutput.remove("version") //don't print gorm verson column
converter.build {
_id obj.id.toString()
propertiesToOutput.each{ entry ->
"$entry.key" entry.value
}
}
}
}
What that marshaller does, it allow in JSON output any of the domain class's properties. obj.properties.dbo is special to MongoDB, but for a regular domain class, you can just grab the properties and exclude the ones you don't need.
Then in my controller, this works:
domainInstance.pin = [location:[lat:23.03, lon:72.58]]
def content = tacticalCard as JSON
because my marshaller now picks up the pin property and prints it.

Can I automatically serialize a Dart object to send over a Web Socket?

I just saw that there are some libraries for running a Dart web server, like Start.
So I was thinking something like this..
If both client and server code is written in Dart, is it possible to send "Dart objects" via websockets (or normal REST for that matter) so that the type information remains on the other end? Or do I need to serialize/deserialize via JSON or something similar on the way? Or am I over thinking things here?
regards Oskar
You will need to serialize the Dart object somehow. You can try JSON, or you can try the heavy-duty serialization package.
There is no fully automatic JSON serialization for custom Dart classes. You will need to add a custom toJson serializer and create some sort of fromJson constructor.
e.g. if you had a Person class, you could do something like this:
import 'dart:json' as json;
class Person {
String name;
int age;
Person(this.name, this.age);
Person.fromJson(String json) {
Map data = json.parse(json);
name = data['name'];
age = data['age'];
}
Map toJson() {
return {'name': name, 'age': age};
}
}
Note: the fromJson is just a convention. You will need to call it somehow, there is no built-in mechanism to take an arbitrary JSON string and call the right constructors on your custom object.
As mentioned above, the serialization package is more heavy weight, but much more full featured. Here is an example from its docs:
// uses the serialization package
var address = new Address();
address.street = 'N 34th';
address.city = 'Seattle';
var serialization = new Serialization()
..addRuleFor(address);
Map output = serialization.write(address);
and
// uses serialization
var serialization = new Serialization()
..addRuleFor(address,
constructor: "create",
constructorFields: ["number", "street"],
fields: ["city"]);
You can use the 'exportable' package to render your class to JSON or a map in a more declarative fashion.
import 'package:exportable/exportable.dart';
class Product extends Object with Exportable
{
#export String ProductName;
#export num UnitPrice;
#export bool Discontinued;
#export num UnitsInStock;
Product(this.ProductName, this.UnitPrice, this.Discontinued, this.UnitsInStock);
}
Product prod = new Product("First", 1.0, false, 3 );
var json = prod.toJson(); // {"ProductName":"First","UnitPrice":1.0,"Discontinued":false,"UnitsInStock":3}