0

Eclipse を使用して Google アプリ エンジン クライアントを作成し、Google が配布する Android デモを作成しました。バックエンドといくつかのモデルを作成しました。AndroidからGAEのデータベースにエンティティを追加すると、最初に作成された最新のものではなく、日付順に並べ替えられます。キーは現在の日付だけで、Android に関連付けられています。グーグルが私のプロジェクトで私のために作成したため、バックエンドの操作方法がわかりません。代わりに、またはアイテムを追加するときにデータで並べ替えて、最新のリストを一番上に保つことができるように、すばやく変更できますか?

編集された質問、これは Google が生成したエンドポイント クラスです。新しく追加されたエンティティを最初に受け取るように変更するにはどうすればよいですか?

@Api(name = "quotesendpoint", namespace = @ApiNamespace(ownerDomain =     "projectquotes.com"           ownerName = "projectquotes.com", packagePath = ""))
 public class quotesEndpoint {

/**
 * This method lists all the entities inserted in datastore.
 * It uses HTTP GET method and paging support.
 *
 * @return A CollectionResponse class containing the list of all entities
 * persisted and a cursor to the next page.
 */
@SuppressWarnings({ "unchecked", "unused" })
@ApiMethod(name = "listquotes")
public CollectionResponse<quotes> listquotes(
        @Nullable @Named("cursor") String cursorString,
        @Nullable @Named("limit") Integer limit) {

 EntityManager mgr = null;
Cursor cursor = null;
List<quotes> execute = null;

try {
    mgr = getEntityManager();
    Query query = mgr.createQuery("select from quotes as quotes");
    if (cursorString != null && cursorString != "") {
        cursor = Cursor.fromWebSafeString(cursorString);
        query.setHint(JPACursorHelper.CURSOR_HINT, cursor);
   }

    if (limit != null) {
        query.setFirstResult(0);
    query.setMaxResults(limit);
}

execute = (List<quotes>) query.getResultList();
cursor = JPACursorHelper.getCursor(execute);
if (cursor != null)
    cursorString = cursor.toWebSafeString();

// Tight loop for fetching all entities from datastore and accomodate
// for lazy fetch.
for (quotes obj : execute)
    ;
} finally {
    mgr.close();
}

return CollectionResponse.<quotes> builder().setItems(execute)
        .setNextPageToken(cursorString).build();
4

1 に答える 1

1

GAE のデータストア ビューアーに表示される順序は、データストア内の現在のデータを表示するだけであり、エンティティ ID (自動 ID を使用する場合) の昇順で表示されるため、重要ではありません。これは偶然にも、日付の昇順になる可能性もあります。この表示パターンは変更できません。

重要なのは、クエリで表示される順序であり、これはインデックスによって決定されます。したがって、日付の降順でエンティティを取得する必要がある場合、日付エントリがインデックス付きのままになっていると、GAE は自動的に日付のインデックスを作成します。日付プロパティで降順の並べ替えを指定して、エンティティをクエリするだけです。

編集:追加されたコードに基づいて、日付の降順でエンティティをクエリするには、以下の変更を行う必要があります。

1、エンティティに新しい日付プロパティを追加します。

private Date entrydate;

2、エンティティの作成中に、現在の日付をこのプロパティに追加します

yourentity.setEntryDate(new Date())

3, クエリ中、日付の降順で並べ替えを設定する

query.setOrdering("entrydate desc");
于 2013-07-27T07:01:15.663 に答える