com.google.gson.JsonSyntaxException when parsing simple JSON Inputstream - aem

I am getting com.google.gson.JsonSyntaxException when parsing simple JSON Inputstream
My json is this.
{
"logdata": [{
"millis": "1000",
"light": "333"
},
{
"millis": "2000",
"light": "333"
}
]
}
Java class -
import java.util.List;
public class Datalist {
private List<NavData> logdata;
/**
* #return the logdata
*/
public List<NavData> getLogdata() {
return logdata;
}
/**
* #param logdata the logdata to set
*/
public void setLogdata(List<NavData> logdata) {
this.logdata = logdata;
}
public class NavData {
private String millis;
private String light;
/**
* #return the millis
*/
public String getMillis() {
return millis;
}
/**
* #param millis the millis to set
*/
public void setMillis(String millis) {
this.millis = millis;
}
/**
* #return the light
*/
public String getLight() {
return light;
}
/**
* #param light the light to set
*/
public void setLight(String light) {
this.light = light;
}
}
Json Input Stream Reader Class - Whereas assetData is the inputStream of above json.
JsonReader reader = new JsonReader(new InputStreamReader(assetData, "UTF-8"));
Gson gson = new GsonBuilder().create();
Datalist out = gson.fromJson(reader, Datalist.class);
System.out.println(".."+out.getLogdata());

The problem is because you can't cast a list of string to a list with these items:
{
"millis": "1000",
"light": "333",
"temp": "78.32",
"vcc": "3.54"
}
If you want to cast to a list of these items, you need to create a class with these items and the property will be:
#Expose
private List<NavData> logdata;
Where NavData is a class with these parameters
import com.google.gson.annotations.Expose;
public class NavData {
#Expose
private String millis;
#Expose
private String light;
public String getMillis() {
return millis;
}
public void setMillis(String millis) {
this.millis = millis;
}
public String getLight() {
return light;
}
public void setLight(String light) {
this.light = light;
}
}
To read the inputStream :
StringBuilder stringBuilder = new StringBuilder();
CharBuffer charBuffer = CharBuffer.allocate(1024);
while (yourInputStream.read(charBuffer) > 0) {
charBuffer.flip();
stringBuilder.append(charBuffer.toString());
charBuffer.clear();
}
finally :
Gson gson = new GsonBuilder().enableComplexMapKeySerialization()
.excludeFieldsWithoutExposeAnnotation().serializeNulls().create();
Datalist result = gson.fromJson(stringBuilder.toString(), Datalist.class);

Related

How to add songs to album entity in springboot?

Please help me with the logic.
Is it possible to save data in multiple entities simultaneously? I f yes then how?
Also I have to do same with the singer entity i.e. add singer data to song entity...does it require the same logic or a different one.
The code for entities is as follows:
Album entity
#Entity
#Table(name = "albums")
public class AlbumEntity extends ApplicationPersistenceEntity implements Album {
#Id
#Column(name = "album_id")
#NotNull
private long albumId;
#NotEmpty
#Column(name = "NAME")
private String albumName;
#NotEmpty
#Column(name = "Genre")
private String genre;
#Column(name = "album_release_date", columnDefinition = "DATE", nullable = false)
#DateTimeFormat(pattern = "yyyy-MM-dd")
private Date albumreleaseDate;
#ManyToOne(cascade = CascadeType.ALL, optional = false, fetch = FetchType.LAZY)
#JoinColumn(name = "singer_id", nullable = false)
private SingerEntity singer;
#OneToMany(cascade = CascadeType.ALL, mappedBy = "album")
#Fetch(FetchMode.JOIN)
private List<SongEntity> songs;
private static final long serialVersionUID = 1L;
/**
* The constructor.
*/
public AlbumEntity() {
}
/**
* The constructor.
*
* #param albumId
* #param albumName
* #param genre
* #param albumreleaseDate
* #param singer
* #param songs
*/
public AlbumEntity(long albumId, String albumName, String genre, Date albumreleaseDate, SingerEntity singer,
List<SongEntity> songs) {
super();
this.albumId = albumId;
this.albumName = albumName;
this.genre = genre;
this.albumreleaseDate = albumreleaseDate;
this.singer = singer;
this.songs = songs;
}
/**
* #return albumId
*/
#Override
public long getAlbumId() {
return this.albumId;
}
/**
* #param albumId new value of {#link #getalbumId}.
*/
#Override
public void setAlbumId(long albumId) {
this.albumId = albumId;
}
/**
* #return albumName
*/
#Override
public String getAlbumName() {
return this.albumName;
}
/**
* #param albumName new value of {#link #getalbumName}.
*/
#Override
public void setAlbumName(String albumName) {
this.albumName = albumName;
}
/**
* #return genre
*/
#Override
public String getGenre() {
return this.genre;
}
/**
* #param genre new value of {#link #getgenre}.
*/
#Override
public void setGenre(String genre) {
this.genre = genre;
}
/**
* #return albumreleaseDate
*/
#Override
public Date getAlbumreleaseDate() {
return this.albumreleaseDate;
}
/**
* #param albumreleaseDate new value of {#link #getalbumreleaseDate}.
*/
#Override
public void setAlbumreleaseDate(Date albumreleaseDate) {
this.albumreleaseDate = albumreleaseDate;
}
/**
* #return singer
*/
public SingerEntity getSinger() {
return this.singer;
}
/**
* #param singer new value of {#link #getsinger}.
*/
public void setSinger(SingerEntity singer) {
this.singer = singer;
}
/**
* #return songs
*/
public List<SongEntity> getSongs() {
return this.songs;
}
/**
* #param songs new value of {#link #getsongs}.
*/
public void setSongs(List<SongEntity> songs) {
this.songs = songs;
}
#Override
#Transient
public Long getSingerId() {
if (this.singer == null) {
return null;
}
return this.singer.getId();
}
#Override
public void setSingerId(Long singerId) {
if (singerId == null) {
this.singer = null;
} else {
SingerEntity singerEntity = new SingerEntity();
singerEntity.setId(singerId);
this.singer = singerEntity;
}
}
#Override
public String toString() {
return "AlbumEntity [albumId=" + this.albumId + ", albumName=" + this.albumName + ", genre=" + this.genre
+ ", albumreleaseDate=" + this.albumreleaseDate + ", singer=" + this.singer + ", songs=" + this.songs + "]";
}
}
Song entity
#Entity
#Table(name = "songs")
public class SongEntity extends ApplicationPersistenceEntity implements Song {
#Id
#Column(name = "song_id")
// #GeneratedValue(strategy = GenerationType.TABLE)
private long songId;
#Column(name = "Title")
private String title;
#Column(name = "duration")
private float duration;
/**
* #return duration
*/
#Override
public float getDuration() {
return this.duration;
}
/**
* #param duration new value of {#link #getduration}.
*/
#Override
public void setDuration(float duration) {
this.duration = duration;
}
#ManyToOne(cascade = CascadeType.PERSIST, optional = false, fetch = FetchType.LAZY)
#JoinColumn(name = "singer_id", nullable = false)
private SingerEntity singer;
#ManyToOne(cascade = CascadeType.ALL, optional = true, fetch = FetchType.LAZY)
#JoinColumn(name = "album_id")
private AlbumEntity album;
private static final long serialVersionUID = 1L;
/**
* The constructor.
*/
public SongEntity() {
}
/**
* The constructor.
*
* #param songId
* #param title
* #param content
* #param singer
* #param album
*/
public SongEntity(long songId, String title, SingerEntity singer, AlbumEntity album) {
super();
this.songId = songId;
this.title = title;
this.singer = singer;
this.album = album;
}
/**
* #return songId
*/
#Override
public long getSongId() {
return this.songId;
}
/**
* #param songId new value of {#link #getsongId}.
*/
#Override
public void setSongId(long songId) {
this.songId = songId;
}
/**
* #return title
*/
#Override
public String getTitle() {
return this.title;
}
/**
* #param title new value of {#link #gettitle}.
*/
#Override
public void setTitle(String title) {
this.title = title;
}
/**
* #return singer
*/
public SingerEntity getSinger() {
return this.singer;
}
/**
* #param singer new value of {#link #getsinger}.
*/
public void setSinger(SingerEntity singer) {
this.singer = singer;
}
/**
* #return album
*/
public AlbumEntity getAlbum() {
return this.album;
}
/**
* #param album new value of {#link #getalbum}.
*/
public void setAlbum(AlbumEntity album) {
this.album = album;
}
#Override
#Transient
public Long getSingerId() {
if (this.singer == null) {
return null;
}
return this.singer.getId();
}
#Override
public void setSingerId(Long singerId) {
if (singerId == null) {
this.singer = null;
} else {
SingerEntity singerEntity = new SingerEntity();
singerEntity.setId(singerId);
this.singer = singerEntity;
}
}
#Override
#Transient
public Long getAlbumId() {
if (this.album == null) {
return null;
}
return this.album.getId();
}
#Override
public void setAlbumId(Long albumId) {
if (albumId == null) {
this.album = null;
} else {
AlbumEntity albumEntity = new AlbumEntity();
albumEntity.setId(albumId);
this.album = albumEntity;
}
}
#Override
public String toString() {
return "SongEntity [songId=" + this.songId + ", title=" + this.title + ", duration=" + this.duration + ", singer="
+ this.singer + ", album=" + this.album + "]";
}
}
Singer Entity
#Entity
#Table(name = "singers")
public class SingerEntity extends ApplicationPersistenceEntity implements Singer {
#Id
#Column(name = "singer_id")
private long singerId;
#NotEmpty
#Column(name = "singer_name")
private String singerName;
#NotEmpty
#Column(name = "Gender")
private String gender;
#Column(name = "birth_date", columnDefinition = "DATE", nullable = false)
#JsonFormat(pattern = "yyyy-MM-dd")
private Date birthDate;
#OneToMany(cascade = CascadeType.ALL, mappedBy = "singer")
private List<SongEntity> songs;
#OneToMany(cascade = CascadeType.ALL, mappedBy = "singer")
private List<AlbumEntity> albums;
private static final long serialVersionUID = 1L;
/**
* The constructor.
*/
public SingerEntity() {
}
/**
* The constructor.
*
* #param singerId
* #param firstname
* #param lastname
* #param gender
* #param songs
* #param albums
*/
public SingerEntity(long singerId, String singerName, String gender, Date birthDate, List<SongEntity> songs,
List<AlbumEntity> albums) {
super();
this.singerId = singerId;
this.singerName = singerName;
this.gender = gender;
this.birthDate = birthDate;
this.songs = songs;
this.albums = albums;
}
/**
* #return singerId
*/
#Override
public long getSingerId() {
return this.singerId;
}
/**
* #param singerId new value of {#link #getsingerId}.
*/
#Override
public void setSingerId(long singerId) {
this.singerId = singerId;
}
/**
* #return firstname
*/
#Override
public String getSingerName() {
return this.singerName;
}
/**
* #param singername new value of {#link #getsingername}.
*/
#Override
public void setSingerName(String singerName) {
this.singerName = singerName;
}
/**
* #return gender
*/
#Override
public String getGender() {
return this.gender;
}
/**
* #param gender new value of {#link #getgender}.
*/
#Override
public void setGender(String gender) {
this.gender = gender;
}
/**
* #return birthDate
*/
#Override
public Date getBirthDate() {
return this.birthDate;
}
/**
* #param birthDate new value of {#link #getbirthDate}.
*/
#Override
public void setBirthDate(Date birthDate) {
this.birthDate = birthDate;
}
/**
* #return songs
*/
public List<SongEntity> getSongs() {
return this.songs;
}
/**
* #param songs new value of {#link #getsongs}.
*/
public void setSongs(List<SongEntity> songs) {
this.songs = songs;
}
/**
* #return albums
*/
public List<AlbumEntity> getAlbums() {
return this.albums;
}
/**
* #param albums new value of {#link #getalbums}.
*/
public void setAlbums(List<AlbumEntity> albums) {
this.albums = albums;
}
#Override
public String toString() {
return "SingerEntity [singerId=" + this.singerId + ", singerName=" + this.singerName + ", gender=" + this.gender
+ ", birthDate=" + this.birthDate + ", songs=" + this.songs + ", albums=" + this.albums + "]";
}
}
I want to add songs to album table.
But I am not able to figure out the logic to do this.
I want that when I send data from post man like
{
"id": 102,
"albumId": 102,
"albumName": "HS1",
"genre": "Pop",
"singerId":202,
"songs":[
{
"id": 302,
"songId": 302,
"title": "Bad blood",
"singerId": 201,
"duration": 3.76
},
{
"id": 303,
"songId": 303,
"title": "Happy",
"singerId": 202,
"duration": 3.54
}
],
"albumreleaseDate":"2019-05-16"
}
Then the data should be saved in album and song table respectively
example table
I'm confused from your example data. First, I thought it's a POST for album, because it contains all the information of the album and singerID. Then I saw it also contains all information for the song. Which would imply that the song is also to be created.
So this is what I would do:
Create an album:
Request:
POST /album
{
"id": 1,
"genre": "Pop",
"name": "SomeFancyName",
"singerId": 12,
"songs": [
3,
5,
6,
15//...
]
}
Here you will verify the existence of all songs by their ID and return 404 if a song does not exist
Response:
201 Created
Headers: Location: "/ablums/{albumId}"
Add songs to an album
Request:
PATCH /album/{albumId}/songs
{
"songs": [
7,
19,
21,
13//...
]
}
Again verify the existence of all songs by their ID and return 404 if a song does not exist.
Response:
204 No Content
Delete song from album
Same as 2. just use DELETE method instead of PATCH
Songs and Singer would get their own endpoints accordingly and you only reference them by their ids in requests. Because, when you do a POST on album and add full song data, you either also create the song and have to think about what to do if the song already exists or send unnecessary data since the id should be enough to identify the song.
Basically, you add too much complexity to one endpoint

avro schema LocalDate mapping

How to map avro schema to a LocalDate / LocaldateTime?
The spec says we can use logicalType. But DOES NOT CARE TO SHOW AN EXAMPLE of how it maps to LocalDate in Java. Why is a good example not part of the spec? that is for the specwriters.
Anyay
e.g.
{"namespace": "example.avro",
"type": "record",
"name": "User",
"fields": [
{"name": "date", "type": "int", "logicalType": "date"}
]
}
This maps to int and not to LocalDate e.g,
How to map in avro schema LocalDate?
#org.apache.avro.specific.AvroGenerated
public class User extends org.apache.avro.specific.SpecificRecordBase implements
org.apache.avro.specific.SpecificRecord {
private int date;// This should be LocalDate
}
{
"namespace": "example.avro",
"type": "record",
"name": "User",
"fields": [
{
"name": "date",
"type": {
"type": "int",
"logicalType": "date"
}
}
]
}
//this will generate following mapping to private java.time.LocalDate date;as below with maven-avro-plugin.
/**
* Autogenerated by Avro
*
* DO NOT EDIT DIRECTLY
*/
package example.avro;
import org.apache.avro.generic.GenericArray;
import org.apache.avro.specific.SpecificData;
import org.apache.avro.util.Utf8;
import org.apache.avro.message.BinaryMessageEncoder;
import org.apache.avro.message.BinaryMessageDecoder;
import org.apache.avro.message.SchemaStore;
#org.apache.avro.specific.AvroGenerated
public class User extends org.apache.avro.specific.SpecificRecordBase implements org.apache.avro.specific.SpecificRecord {
private static final long serialVersionUID = -2875816324033601436L;
public static final org.apache.avro.Schema SCHEMA$ = new org.apache.avro.Schema.Parser().parse("{\"type\":\"record\",\"name\":\"User\",\"namespace\":\"example.avro\",\"fields\":[{\"name\":\"date\",\"type\":{\"type\":\"int\",\"logicalType\":\"date\"}}]}");
public static org.apache.avro.Schema getClassSchema() { return SCHEMA$; }
private static SpecificData MODEL$ = new SpecificData();
static {
MODEL$.addLogicalTypeConversion(new org.apache.avro.data.TimeConversions.DateConversion());
}
private static final BinaryMessageEncoder<User> ENCODER =
new BinaryMessageEncoder<User>(MODEL$, SCHEMA$);
private static final BinaryMessageDecoder<User> DECODER =
new BinaryMessageDecoder<User>(MODEL$, SCHEMA$);
/**
* Return the BinaryMessageEncoder instance used by this class.
* #return the message encoder used by this class
*/
public static BinaryMessageEncoder<User> getEncoder() {
return ENCODER;
}
/**
* Return the BinaryMessageDecoder instance used by this class.
* #return the message decoder used by this class
*/
public static BinaryMessageDecoder<User> getDecoder() {
return DECODER;
}
/**
* Create a new BinaryMessageDecoder instance for this class that uses the specified {#link SchemaStore}.
* #param resolver a {#link SchemaStore} used to find schemas by fingerprint
* #return a BinaryMessageDecoder instance for this class backed by the given SchemaStore
*/
public static BinaryMessageDecoder<User> createDecoder(SchemaStore resolver) {
return new BinaryMessageDecoder<User>(MODEL$, SCHEMA$, resolver);
}
/**
* Serializes this User to a ByteBuffer.
* #return a buffer holding the serialized data for this instance
* #throws java.io.IOException if this instance could not be serialized
*/
public java.nio.ByteBuffer toByteBuffer() throws java.io.IOException {
return ENCODER.encode(this);
}
/**
* Deserializes a User from a ByteBuffer.
* #param b a byte buffer holding serialized data for an instance of this class
* #return a User instance decoded from the given buffer
* #throws java.io.IOException if the given bytes could not be deserialized into an instance of this class
*/
public static User fromByteBuffer(
java.nio.ByteBuffer b) throws java.io.IOException {
return DECODER.decode(b);
}
private java.time.LocalDate date;
/**
* Default constructor. Note that this does not initialize fields
* to their default values from the schema. If that is desired then
* one should use <code>newBuilder()</code>.
*/
public User() {}
/**
* All-args constructor.
* #param date The new value for date
*/
public User(java.time.LocalDate date) {
this.date = date;
}
public org.apache.avro.specific.SpecificData getSpecificData() { return MODEL$; }
public org.apache.avro.Schema getSchema() { return SCHEMA$; }
// Used by DatumWriter. Applications should not call.
public java.lang.Object get(int field$) {
switch (field$) {
case 0: return date;
default: throw new IndexOutOfBoundsException("Invalid index: " + field$);
}
}
private static final org.apache.avro.Conversion<?>[] conversions =
new org.apache.avro.Conversion<?>[] {
new org.apache.avro.data.TimeConversions.DateConversion(),
null
};
#Override
public org.apache.avro.Conversion<?> getConversion(int field) {
return conversions[field];
}
// Used by DatumReader. Applications should not call.
#SuppressWarnings(value="unchecked")
public void put(int field$, java.lang.Object value$) {
switch (field$) {
case 0: date = (java.time.LocalDate)value$; break;
default: throw new IndexOutOfBoundsException("Invalid index: " + field$);
}
}
/**
* Gets the value of the 'date' field.
* #return The value of the 'date' field.
*/
public java.time.LocalDate getDate() {
return date;
}
/**
* Sets the value of the 'date' field.
* #param value the value to set.
*/
public void setDate(java.time.LocalDate value) {
this.date = value;
}
/**
* Creates a new User RecordBuilder.
* #return A new User RecordBuilder
*/
public static example.avro.User.Builder newBuilder() {
return new example.avro.User.Builder();
}
/**
* Creates a new User RecordBuilder by copying an existing Builder.
* #param other The existing builder to copy.
* #return A new User RecordBuilder
*/
public static example.avro.User.Builder newBuilder(example.avro.User.Builder other) {
if (other == null) {
return new example.avro.User.Builder();
} else {
return new example.avro.User.Builder(other);
}
}
/**
* Creates a new User RecordBuilder by copying an existing User instance.
* #param other The existing instance to copy.
* #return A new User RecordBuilder
*/
public static example.avro.User.Builder newBuilder(example.avro.User other) {
if (other == null) {
return new example.avro.User.Builder();
} else {
return new example.avro.User.Builder(other);
}
}
/**
* RecordBuilder for User instances.
*/
#org.apache.avro.specific.AvroGenerated
public static class Builder extends org.apache.avro.specific.SpecificRecordBuilderBase<User>
implements org.apache.avro.data.RecordBuilder<User> {
private java.time.LocalDate date;
/** Creates a new Builder */
private Builder() {
super(SCHEMA$);
}
/**
* Creates a Builder by copying an existing Builder.
* #param other The existing Builder to copy.
*/
private Builder(example.avro.User.Builder other) {
super(other);
if (isValidValue(fields()[0], other.date)) {
this.date = data().deepCopy(fields()[0].schema(), other.date);
fieldSetFlags()[0] = other.fieldSetFlags()[0];
}
}
/**
* Creates a Builder by copying an existing User instance
* #param other The existing instance to copy.
*/
private Builder(example.avro.User other) {
super(SCHEMA$);
if (isValidValue(fields()[0], other.date)) {
this.date = data().deepCopy(fields()[0].schema(), other.date);
fieldSetFlags()[0] = true;
}
}
/**
* Gets the value of the 'date' field.
* #return The value.
*/
public java.time.LocalDate getDate() {
return date;
}
/**
* Sets the value of the 'date' field.
* #param value The value of 'date'.
* #return This builder.
*/
public example.avro.User.Builder setDate(java.time.LocalDate value) {
validate(fields()[0], value);
this.date = value;
fieldSetFlags()[0] = true;
return this;
}
/**
* Checks whether the 'date' field has been set.
* #return True if the 'date' field has been set, false otherwise.
*/
public boolean hasDate() {
return fieldSetFlags()[0];
}
/**
* Clears the value of the 'date' field.
* #return This builder.
*/
public example.avro.User.Builder clearDate() {
fieldSetFlags()[0] = false;
return this;
}
#Override
#SuppressWarnings("unchecked")
public User build() {
try {
User record = new User();
record.date = fieldSetFlags()[0] ? this.date : (java.time.LocalDate) defaultValue(fields()[0]);
return record;
} catch (org.apache.avro.AvroMissingFieldException e) {
throw e;
} catch (java.lang.Exception e) {
throw new org.apache.avro.AvroRuntimeException(e);
}
}
}
#SuppressWarnings("unchecked")
private static final org.apache.avro.io.DatumWriter<User>
WRITER$ = (org.apache.avro.io.DatumWriter<User>)MODEL$.createDatumWriter(SCHEMA$);
#Override public void writeExternal(java.io.ObjectOutput out)
throws java.io.IOException {
WRITER$.write(this, SpecificData.getEncoder(out));
}
#SuppressWarnings("unchecked")
private static final org.apache.avro.io.DatumReader<User>
READER$ = (org.apache.avro.io.DatumReader<User>)MODEL$.createDatumReader(SCHEMA$);
#Override public void readExternal(java.io.ObjectInput in)
throws java.io.IOException {
READER$.read(this, SpecificData.getDecoder(in));
}
}

Spring boot integration with Postgres jsonb

I am writing an application which is based on spring boot and tries to store and retrieve data from PostGreSQL db in its jsonb column.
while saving the record it works fine but the moment i write basic method to find records in repository interface of it like this:-
public interface AgentProfileRepository extends CrudRepository<AgentProfileOuter,String> {
public AgentProfileOuter findByJdataPcpAgentId(String id);
}
then server starts giving this exception while restarting:-
Caused by: java.lang.IllegalStateException: Illegal attempt to dereference path source [null.jdata] of basic type
at org.hibernate.jpa.criteria.path.AbstractPathImpl.illegalDereference(AbstractPathImpl.java:98) ~[hibernate-entitymanager-4.3.11.Final.jar:4.3.11.Final]
at org.hibernate.jpa.criteria.path.AbstractPathImpl.get(AbstractPathImpl.java:191) ~[hibernate-entitymanager-4.3.11.Final.jar:4.3.11.Final]
at org.springframework.data.jpa.repository.query.QueryUtils.toExpressionRecursively(QueryUtils.java:524) ~[spring-data-jpa-1.9.4.RELEASE.jar:na]
at org.springframework.data.jpa.repository.query.QueryUtils.toExpressionRecursively(QueryUtils.java:478) ~[spring-data-jpa-1.9.4.RELEASE.jar:na]
at org.springframework.data.jpa.repository.query.JpaQueryCreator$PredicateBuilder.getTypedPath(JpaQueryCreator.java:300) ~[spring-data-jpa-1.9.4.RELEASE.jar:na]
at org.springframework.data.jpa.repository.query.JpaQueryCreator$PredicateBuilder.build(JpaQueryCreator.java:243) ~[spring-data-jpa-1.9.4.RELEASE.jar:na]
at org.springframework.data.jpa.repository.query.JpaQueryCreator.toPredicate(JpaQueryCreator.java:148) ~[spring-data-jpa-1.9.4.RELEASE.jar:na]
The point to wonder is when I try to find by id which is a normal numeric column in postgres it works fine but not if i try to find by a key inside json.This thing works successfully with MongoDB.
Here are the bean classes written:-
AgentProfileOuter.java
import javax.persistence.Column;
import javax.persistence.Convert;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import javax.persistence.Table;
#Table(name = "Agentbonds")
#Entity
public class AgentProfileOuter {
#GeneratedValue(strategy=GenerationType.AUTO)
#Id
private long id;
#Convert(converter = ConverterAgent.class)
#Column(name="jdata")
private AgentProfile jdata;
public long getId() {
return id;
}
public void setId(long id) {
this.id = id;
}
public AgentProfile getJdata() {
return jdata;
}
public void setJdata(AgentProfile jdata) {
this.jdata = jdata;
}
}
AgentProfile.java
import java.util.HashMap;
import java.util.Map;
import javax.annotation.Generated;
import javax.persistence.Convert;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Table;
import org.springframework.data.annotation.Id;
import com.fasterxml.jackson.annotation.JsonAnyGetter;
import com.fasterxml.jackson.annotation.JsonAnySetter;
import com.fasterxml.jackson.annotation.JsonIgnore;
import com.fasterxml.jackson.annotation.JsonInclude;
import com.fasterxml.jackson.annotation.JsonProperty;
import com.fasterxml.jackson.annotation.JsonPropertyOrder;
#JsonInclude(JsonInclude.Include.NON_NULL)
#Generated("org.jsonschema2pojo")
#JsonPropertyOrder({
"pcpAgentId",
"name",
"bio",
"phone",
"email",
"sms",
"imageUrl"
})
public class AgentProfile {
#JsonProperty("pcpAgentId")
private String pcpAgentId;
/*
public void setAdditionalProperties(Map<String, Object> additionalProperties) {
this.additionalProperties = additionalProperties;
}
*/
#JsonProperty("name")
private String name;
#JsonProperty("bio")
private String bio;
#JsonProperty("phone")
private String phone;
#JsonProperty("email")
private String email;
#JsonProperty("sms")
private String sms;
#JsonProperty("imageUrl")
private String imageUrl;
#JsonIgnore
private Map<String, Object> additionalProperties = new HashMap<String, Object>();
/**
*
* #return
* The pcpAgentId
*/
#JsonProperty("pcpAgentId")
public String getpcpAgentId() {
return pcpAgentId;
}
/**
*
* #param pcpAgentId
* The pcpAgentId
*/
#JsonProperty("pcpAgentId")
public void setAgentId(String pcpAgentId) {
this.pcpAgentId = pcpAgentId;
}
/**
*
* #return
* The name
*/
#JsonProperty("name")
public String getName() {
return name;
}
/**
*
* #param name
* The name
*/
#JsonProperty("name")
public void setName(String name) {
this.name = name;
}
/**
*
* #return
* The bio
*/
#JsonProperty("bio")
public String getBio() {
return bio;
}
/**
*
* #param bio
* The bio
*/
#JsonProperty("bio")
public void setBio(String bio) {
this.bio = bio;
}
/**
*
* #return
* The phone
*/
#JsonProperty("phone")
public String getPhone() {
return phone;
}
/**
*
* #param phone
* The phone
*/
#JsonProperty("phone")
public void setPhone(String phone) {
this.phone = phone;
}
/**
*
* #return
* The email
*/
#JsonProperty("email")
public String getEmail() {
return email;
}
/**
*
* #param email
* The email
*/
#JsonProperty("email")
public void setEmail(String email) {
this.email = email;
}
/**
*
* #return
* The sms
*/
#JsonProperty("sms")
public String getSms() {
return sms;
}
/**
*
* #param sms
* The sms
*/
#JsonProperty("sms")
public void setSms(String sms) {
this.sms = sms;
}
/**
*
* #return
* The imageUrl
*/
#JsonProperty("imageUrl")
public String getImageUrl() {
return imageUrl;
}
/**
*
* #param imageUrl
* The imageUrl
*/
#JsonProperty("imageUrl")
public void setImageUrl(String imageUrl) {
this.imageUrl = imageUrl;
}
#JsonAnyGetter
public Map<String, Object> getAdditionalProperties() {
return this.additionalProperties;
}
#JsonAnySetter
public void setAdditionalProperty(String name, Object value) {
this.additionalProperties.put(name, value);
}
}
Any help on this is greatly appreciated.
I think, it's because how both Mongo and PostGreSQL structure the data. From Mongo's point, AgentProfileOuter is one document saved in JSON format as key:value. Every field in your AgentProfile class is key for Mongo irrespective of the fact it's another/ child object. However, for PostGreSQL whole AgentProfile object is just one column of String blob, since you have not marked this class as #Entity and it does not have a primary id. So, when you try to search something like pcpAgentId=someid, it does not make any sense to PostGreSQL. This is my guess, verify by checking your data structure in PostGreSQL.
Also noticed that CrudRepository<AgentProfileOuter,String> should be like CrudRepository<AgentProfileOuter,long> since AgentProfilOuter class's primary key is long.

JPA #Id annoation

i want to insert into a table with a specified value,but it just don't work,
here is my code:
#Id
#Column(insertable=true,updatable=true)
public Long getS_id() {
return s_id;
}
#Resource(name="studentService")
private StudentService stus;
Student student = new Student();
student.setS_id(123213L);
student.setName("vincent");
stus.add(student);
If I change:
#Id
#Column(insertable=true,updatable=true)
public Long getS_id() {
return s_id;
}
to this:
#Id
#GeneratedValue(strategy=GenerationType.IDENTITY)
#Column(insertable=true,updatable=true)
public Long getS_id() {
return s_id;
}
and don't set s_id manualy it works well.
here my student class
#Entity()
#Table(name="stu_info")
public class Student implements Serializable{
private static final long serialVersionUID = 1L;
/**
* 学生的学号
*/
private Long s_id;
/**
* 学生姓名
*/
private String name;
/**
* 学生性别
*/
private String sex;
/**
* 学生生日
*/
private Date birthday;
/**
* 学生电话号码
*/
private String telephone;
/**
* 学生所在年级
*/
private String grade;
/**
* 学生所在班级
*/
private String classes;
/**
* 学生编号
*/
private int number;
/**
* 学生父亲姓名
*/
private String father_name;
/**
* 学生母亲姓名
*/
private String mother_name;
/**
* 学生个人疾病史
*/
private String diseases_history;
#Id
#Column(insertable=true,updatable=true)
public Long getS_id() {
return s_id;
}
public void setS_id(Long s_id) {
this.s_id = s_id;
}
#Column(length=32)
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
#Column(length=12)
public String getSex() {
return sex;
}
public void setSex(String sex) {
this.sex = sex;
}
#Temporal(TemporalType.DATE)
public Date getBirthday() {
return birthday;
}
public void setBirthday(Date birthday) {
this.birthday = birthday;
}
#Column(length=12)
public String getTelephone() {
return telephone;
}
public void setTelephone(String telephone) {
this.telephone = telephone;
}
#Column(length=32)
public String getGrade() {
return grade;
}
public void setGrade(String grade) {
this.grade = grade;
}
#Column(length=32)
public String getClasses() {
return classes;
}
public void setClasses(String classes) {
this.classes = classes;
}
#Column(length=32)
public int getNumber() {
return number;
}
public void setNumber(int number) {
this.number = number;
}
#Column(length=32)
public String getFather_name() {
return father_name;
}
public void setFather_name(String father_name) {
this.father_name = father_name;
}
#Column(length=32)
public String getMother_name() {
return mother_name;
}
public void setMother_name(String mother_name) {
this.mother_name = mother_name;
}
#Column(length=32)
public String getDiseases_history() {
return diseases_history;
}
public void setDiseases_history(String diseases_history) {
this.diseases_history = diseases_history;
}
}
From the limited information posted I would guess you are using SQL Server and to insert a record into an SQLServer table with an explicit value defined for an Identity column requires you to turn on identity inserts for that table.
https://msdn.microsoft.com/en-gb/library/ms188059.aspx
So if you run the above against your table you should then be able to persist using a specific value.
So not really anything to do with JPA.

dijkstra Algorithm Java Implementation with no libraries used

Implementation of Dijkstra's in java without using Comparator interface.
First you can read here the algorithm Pseudocode: http://en.wikipedia.org/wiki/Dijkstra%27s_algorithm
End here is one good working impemetation with comparator..but you have to create classes of node , graph etc..
if comparator is your problem just create your own! ;)
static class distance_Comparator implements Comparator<node>
{
public int compare(node x, node y)
{
if(x.getDistance()<y.getDistance())
{
return -1;
}
else if(x.getDistance()>y.getDistance())
{
return 1;
}
return 0;
}
}
And here the Dijkstra
public static void Dijkstra(graph newgraph)
{
System.out.println("--------------------------------------------------------------------------------------");
System.out.println("--------------------------------------------------------------------------------------");
System.out.println("Running Dijkstra . . . .");
System.out.println("--------------------------------------------------------------------------------------");
System.out.println("--------------------------------------------------------------------------------------");
int sum_average_path=0,average_path=0,numberof_paths=0;
long time_a=System.nanoTime();
//[newgraph.getNum_nodes()]; // shortest known distance from "vertex"
//HashMap visited=new HashMap<>();//[newgraph.getNum_nodes()]; // all false initially
//[newgraph.getNum_nodes()]; // preceeding node in path
distance_Comparator comparator=new distance_Comparator();
PriorityQueue<node> queue = new PriorityQueue<node>((int) newgraph.getNumber_of_nodes(),comparator);
///////// find max shortest path : diameter of graph ////////////////
double diameter=-1.0;
int s=0,i=0;
double alt=0;
HashMap map;
///////////find all nodes of graph/////////////////
map=newgraph.getAll_graph_nodes();
for (Object key : map.keySet())
{
i++;
// System.out.println("source node: "+key);
///////////////////Initializations////////////////////////////
/////////////////////////////////////////////////////////////
HashMap distance=new HashMap<>(16,0.6f);
HashMap previous=new HashMap<>(16,0.6f);
node tmpnode=(node)map.get(key);
for (Object key_other : map.keySet())
{
node x_tmpnode=(node)map.get(key_other);
distance.put(key_other, Double.POSITIVE_INFINITY);
x_tmpnode.setDistance(Double.POSITIVE_INFINITY);
x_tmpnode.setVisited(false);
}
tmpnode.setDistance_table(distance);
tmpnode.setPrevious_table(previous);
/////////////////////////////////////end of init//////////////////////////////
tmpnode.setDistance((double)(0));
queue.offer(tmpnode); //add tmp node to PriorityQueue
distance.put(key,(double)(0));
Stack sta=new Stack();
while(queue.isEmpty()==false)
{
Stack stack_prev=new Stack();
node queue_tmpnode=queue.poll(); //min_node(distance,map);////vertex in Q with smallest distance in dist[] and has not been visited;
queue_tmpnode.setVisited(true);
/* if(queue_tmpnode.getPrevious_table()!=null)
{
// System.out.println("pre: "+prev);
Stack tmp=(Stack)tmpnode.getPrevious_table().get(queue_tmpnode.getName());
while(tmp.empty()==false)
{
sta.add(queue_tmpnode.getName());
//System.out.println("pop: "+tmp.pop().toString());
queue_tmpnode=
}
}*/
HashMap queue_tmpnodemap=(HashMap)queue_tmpnode.getMap();
if(queue_tmpnodemap!=null)
{
//////////////find all Neighbours of node queue_tmpnode////////////////////
for (Object v : queue_tmpnodemap.keySet())
{
// System.out.println(" v: "+ v.toString());
node tmpnode_neighbors=(node)map.get(v);
alt=(double)(queue_tmpnode.getDistance()) ;
edge tmp_edge= (edge) (queue_tmpnodemap.get(v)); // dist_between(u, v); --accumulate shortest dist from source
alt+= tmp_edge.getWeight();
if ( (alt < tmpnode_neighbors.getDistance()))
{
tmpnode_neighbors.setDistance(alt); // keep the shortest dist from src to v
distance.put(v, alt);
/*
stack_prev.add(tmpnode_neighbors.getName());
HashMap pre_map=new HashMap();
pre_map.put(queue_tmpnode.getName(), stack_prev);
previous.put(tmpnode_neighbors.getName(), pre_map);
//System.out.println("prev stack: "+stack_prev.size());
tmpnode.setPrevious_table(previous);
* */
if((tmpnode_neighbors.isVisited()==false))
queue.add(tmpnode_neighbors); // Add unvisited v into the Q to be processed
}
}
}
}
HashMap tmp_d=null;
tmp_d=new HashMap();
for(Object x: distance.keySet())
{
if(Double.parseDouble(distance.get(x).toString()) < Double.POSITIVE_INFINITY && Double.parseDouble(distance.get(x).toString())!=0)
{
//System.out.println("U: "+key+"-> V:"+x+" value: "+t_tmpnode.getDistance_table().get(x));
tmp_d.put(x, distance.get(x));
}
}
// System.out.println("V:"+i+" size:"+tmp_d.size()+" capacity:");
distance.clear();
tmpnode.setDistance_table(tmp_d);
}
System.out.println("---------------Dijkstra algorithm-------------");
for (Object key : map.keySet())
{
node tmpnode=(node)map.get(key);
// System.out.println("distance of: "+key.toString()+" , is: ");
//System.out.print("U: "+key);
if(tmpnode.getDistance_table()!= null)
{
//System.out.println(" dipla monopatia: "+(tmpnode.getShortest_paths_number()-tmpnode.getDistance_table().size()));
for(Object x: tmpnode.getDistance_table().keySet())
{
//if(Double.parseDouble(tmpnode.getDistance_table().get(x).toString()) < Double.POSITIVE_INFINITY && Double.parseDouble(tmpnode.getDistance_table().get(x).toString())!=0)
//System.out.println("U: "+key+"-> V:"+x+" value: "+tmpnode.getDistance_table().get(x));
if(diameter < (double)tmpnode.getDistance_table().get(x))
{
diameter= (double)tmpnode.getDistance_table().get(x);
}
sum_average_path+=(double)tmpnode.getDistance_table().get(x);
numberof_paths++;
}
}
System.out.println("\n--------------------------------------------");
for(Object prev: tmpnode.getPrevious_table().keySet())
{
System.out.print("node: "+tmpnode.getName()+" path: ");
HashMap map_prev=(HashMap)tmpnode.getPrevious_table().get(prev);
for(Object prev_path: map_prev.keySet())
{
System.out.println("V: "+prev+" -> "+prev_path+"");
Stack tmp=(Stack) map_prev.get(prev_path);
System.out.println("stacksize: "+tmp.size());
while(tmp.empty()==false)
{
System.out.println("pop: "+tmp.pop().toString());
}
}
}
}
newgraph.setDiameter(diameter);
System.out.println("Graph diameter is: "+newgraph.getDiameter());
System.out.println("average path lenght: "+((double)((double)sum_average_path/(double)numberof_paths)));
long time_b=System.nanoTime();
System.out.println("Dijkstra time: "+(time_b-time_a)+" time in seconds: "+(double)((time_b-time_a)/1000000000.0));
}
class: node.java
import java.util.HashMap;
public class node {
private int name;
private HashMap map;
private double pagerank_old;
private double pagerank_new;
private double point_to_me;
private HashMap point_to_me_table;
private double point_to_other;
private HashMap betweenness;
private double betweenness_ofvertex;
private int num_nodes;
private double cluster_coefficient;
private int index;
private int lowlink;
private int shortest_paths_number;
private double distance;
private boolean visited;
private int hub_score;
private int auth_score;
private HashMap distance_table;
private HashMap previous_table;
//private edge edge;
public node(int name,HashMap map)
{
this.name=name;
this.map=map;
}
public node(int name)
{
this.name=name;
}
/**
* #return the name
*/
public int getName() {
return name;
}
/**
* #param name the name to set
*/
public void setName(int name) {
this.name = name;
}
/**
* #return the map
*/
public HashMap getMap() {
return map;
}
/**
* #param map the map to set
*/
public void setMap(HashMap map) {
this.map = map;
}
/**
* #return the pagerank_old
*/
public double getPagerank_old() {
return pagerank_old;
}
/**
* #param pagerank_old the pagerank_old to set
*/
public void setPagerank_old(double pagerank_old) {
this.pagerank_old = pagerank_old;
}
/**
* #return the pagerank_new
*/
public double getPagerank_new() {
return pagerank_new;
}
/**
* #param pagerank_new the pagerank_new to set
*/
public void setPagerank_new(double pagerank_new) {
this.pagerank_new = pagerank_new;
}
/**
* #return the pont_to_me
*/
public double getPoint_to_me() {
return point_to_me;
}
/**
* #param pont_to_me the pont_to_me to set
*/
public void setPoint_to_me(double pont_to_me) {
this.point_to_me = pont_to_me;
}
/**
* #return the point_to_other
*/
public double getPoint_to_other() {
return point_to_other;
}
/**
* #param point_to_other the point_to_other to set
*/
public void setPoint_to_other(double point_to_other) {
this.point_to_other = point_to_other;
}
/**
* #return the distance
*/
public double getDistance() {
return distance;
}
/**
* #param distance the distance to set
*/
public void setDistance(double distance) {
this.distance = distance;
}
/**
* #return the visited
*/
public boolean isVisited() {
return visited;
}
/**
* #param visited the visited to set
*/
public void setVisited(boolean visited) {
this.visited = visited;
}
/**
* #return the distance_table
*/
public HashMap getDistance_table() {
return distance_table;
}
/**
* #param distance_table the distance_table to set
*/
public void setDistance_table(HashMap distance_table) {
this.distance_table = distance_table;
}
/**
* #return the previous_table
*/
public HashMap getPrevious_table() {
return previous_table;
}
/**
* #param previous_table the previous_table to set
*/
public void setPrevious_table(HashMap previous_table) {
this.previous_table = previous_table;
}
public int getHub_score()
{
return hub_score;
}
public void setHub_score(int sc)
{
this.hub_score=sc;
}
public int getAuth_score()
{
return auth_score;
}
public void setAuth_score(int sc)
{
this.auth_score=sc;
}
/**
* #return the point_to_me_table
*/
public HashMap getPoint_to_me_table() {
return point_to_me_table;
}
/**
* #param point_to_me_table the point_to_me_table to set
*/
public void setPoint_to_me_table(HashMap point_to_me_table) {
this.point_to_me_table = point_to_me_table;
}
/**
* #return the betweenness
*/
public HashMap getBetweenness() {
return betweenness;
}
/**
* #param betweenness the betweenness to set
*/
public void setBetweenness(HashMap betweenness) {
this.betweenness = betweenness;
}
/**
* #return the cluster_coefficient
*/
public double getCluster_coefficient() {
return cluster_coefficient;
}
/**
* #param cluster_coefficient the cluster_coefficient to set
*/
public void setCluster_coefficient(double cluster_coefficient) {
this.cluster_coefficient = cluster_coefficient;
}
/**
* #return the betweenness_ofvertex
*/
public double getBetweenness_ofvertex() {
return betweenness_ofvertex;
}
/**
* #param betweenness_ofvertex the betweenness_ofvertex to set
*/
public void setBetweenness_ofvertex(double betweenness_ofvertex) {
this.betweenness_ofvertex = betweenness_ofvertex;
}
/**
* #return the shortest_paths_number
*/
public int getShortest_paths_number() {
return shortest_paths_number;
}
/**
* #param shortest_paths_number the shortest_paths_number to set
*/
public void setShortest_paths_number(int shortest_paths_number) {
this.shortest_paths_number = shortest_paths_number;
}
/**
* #return the num_nodes
*/
public int getNum_nodes() {
return num_nodes;
}
/**
* #param num_nodes the num_nodes to set
*/
public void setNum_nodes(int num_nodes) {
this.num_nodes = num_nodes;
}
/**
* #return the index
*/
public int getIndex() {
return index;
}
/**
* #param index the index to set
*/
public void setIndex(int index) {
this.index = index;
}
/**
* #return the lowlink
*/
public int getLowlink() {
return lowlink;
}
/**
* #param lowlink the lowlink to set
*/
public void setLowlink(int lowlink) {
this.lowlink = lowlink;
}
}
class: edge
public class edge {
private int a;
private int b;
private double weight;
//private double betweenness;
public edge(int start,int end,double weight){
this.a=start;
this.b=end;
this.weight=weight;
}
/**
* #return the a
*/
public int getA() {
return a;
}
/**
* #param a the a to set
*/
public void setA(int a) {
this.a = a;
}
/**
* #return the b
*/
public int getB() {
return b;
}
/**
* #param b the b to set
*/
public void setB(int b) {
this.b = b;
}
/**
* #return the weight
*/
public double getWeight() {
return weight;
}
/**
* #param weight the weight to set
*/
public void setWeight(double weight) {
this.weight = weight;
}
}
class: graph
import java.util.HashMap;
import java.util.Stack;
public class graph {
private HashMap all_graph_nodes;
private double number_of_nodes;
private double number_of_edges;
private double diameter;
private double average_degre;
private double density;
private int nodeindex;
private Stack tarjanStack;
public graph(HashMap map,double n_nodes,double m_edges)
{
this.all_graph_nodes=map;
this.number_of_nodes=n_nodes;
this.number_of_edges=m_edges;
}
/**
* #return the all_graph_nodes
*/
public HashMap getAll_graph_nodes() {
return all_graph_nodes;
}
/**
* #param all_graph_nodes the all_graph_nodes to set
*/
public void setAll_graph_nodes(HashMap all_graph_nodes) {
this.all_graph_nodes = all_graph_nodes;
}
/**
* #return the number_of_nodes
*/
public double getNumber_of_nodes() {
return number_of_nodes;
}
/**
* #param number_of_nodes the number_of_nodes to set
*/
public void setNumber_of_nodes(double number_of_nodes) {
this.number_of_nodes = number_of_nodes;
}
/**
* #return the number_of_edges
*/
public double getNumber_of_edges() {
return number_of_edges;
}
/**
* #param number_of_edges the number_of_edges to set
*/
public void setNumber_of_edges(double number_of_edges) {
this.number_of_edges = number_of_edges;
}
/**
* #return the diameter
*/
public double getDiameter() {
return diameter;
}
/**
* #param diameter the diameter to set
*/
public void setDiameter(double diameter) {
this.diameter = diameter;
}
/**
* #return the average_degre
*/
public double getAverage_degre() {
return average_degre;
}
/**
* #param average_degre the average_degre to set
*/
public void setAverage_degre(double average_degre) {
this.average_degre = average_degre;
}
/**
* #return the density
*/
public double getDensity() {
return density;
}
/**
* #param density the density to set
*/
public void setDensity(double density) {
this.density = density;
}
/**
* #return the nodeindex
*/
public int getNodeindex() {
return nodeindex;
}
/**
* #param nodeindex the nodeindex to set
*/
public void setNodeindex(int nodeindex) {
this.nodeindex = nodeindex;
}
/**
* #return the tarjanStack
*/
public Stack getTarjanStack() {
return tarjanStack;
}
/**
* #param tarjanStack the tarjanStack to set
*/
public void setTarjanStack(Stack tarjanStack) {
this.tarjanStack = tarjanStack;
}
}