- 浏览: 429505 次
- 性别:
- 来自: 杭州
文章分类
- 全部博客 (269)
- 原创 (7)
- Java (51)
- Java Concurrency (2)
- IDE (16)
- Linux (46)
- Database (23)
- NoSQL (35)
- Web服务器 (23)
- Log日志 (11)
- HTTP (11)
- HTML (2)
- XML (1)
- Test (7)
- Mina (0)
- Amoeba (4)
- Cobar (1)
- 序列化 (2)
- Python (5)
- PHP (1)
- Socket通信 (1)
- Network (3)
- Struts (2)
- Web前端 (10)
- Maven (6)
- SVN (15)
- Json (1)
- XMPP (2)
- Go (1)
- Other (4)
- 未整理 (5)
最新评论
-
u012374672:
[color=darkred][/color][flash=2 ...
Mongo的ORM框架的学习Morphia(annotations) -
b_l_east:
很有问题啊
利用redis的transaction功能,实现分布式下加锁
转自:http://topmanopensource.iteye.com/blog/1449074
一: morphia的Update
... /** updates all entities found with the operations*/ <T> UpdateResults<T> update(Query<T> query, UpdateOperations<T> ops); /** updates all entities found with the operations; if nothing is found insert the update as an entity if "createIfMissing" is true*/ <T> UpdateResults<T> update(Query<T> query, UpdateOperations<T> ops, boolean createIfMissing); /** updates the first entity found with the operations*/ <T> UpdateResults<T> updateFirst(Query<T> query, UpdateOperations<T> ops); /** updates the first entity found with the operations; if nothing is found insert the update as an entity if "createIfMissing" is true*/ <T> UpdateResults<T> updateFirst(Query<T> query, UpdateOperations<T> ops, boolean createIfMissing); /** updates the first entity found with the operations; if nothing is found insert the update as an entity if "createIfMissing" is true*/ <T> UpdateResults<T> updateFirst(Query<T> query, T entity, boolean createIfMissing); } public interface UpdateOperations<T> { /** sets the field value */ UpdateOperations<T> set(String fieldExpr, Object value); /** removes the field */ UpdateOperations<T> unset(String fieldExpr); /** adds the value to an array field*/ UpdateOperations<T> add(String fieldExpr, Object value); UpdateOperations<T> add(String fieldExpr, Object value, boolean addDups); /** adds the values to an array field*/ UpdateOperations<T> addAll(String fieldExpr, List<?> values, boolean addDups); /** removes the first value from the array*/ UpdateOperations<T> removeFirst(String fieldExpr); /** removes the last value from the array*/ UpdateOperations<T> removeLast(String fieldExpr); /** removes the value from the array field*/ UpdateOperations<T> removeAll(String fieldExpr, Object value); /** removes the values from the array field*/ UpdateOperations<T> removeAll(String fieldExpr, List<?> values); /** decrements the numeric field by 1*/ UpdateOperations<T> dec(String fieldExpr); /** increments the numeric field by 1*/ UpdateOperations<T> inc(String fieldExpr); /** increments the numeric field by value (negatives are allowed)*/ UpdateOperations<T> inc(String fieldExpr, Number value); }The Field Expression
初始化:
Morphia morphia = new Morphia(); morphia.map(Hotel.class).map(Address.class); Datastore datastore = morphia.createDatastore("MorphiaSampleDb"); Hotel hotel = new Hotel("Fairmont", 3, new Address("1 Rideau Street", "Ottawa", "K1N8S7", "Canada")); datastore.save(hotel); UpdateOperations<Hotel> ops; // This query will be used in the samples to restrict the update operations to only the hotel we just created. // If this was not supplied, by default the update() operates on all documents in the collection. // We could use any field here but _id will be unique and mongodb by default puts an index on the _id field so this should be fast! Query<Hotel> updateQuery = datastore.createQuery(Hotel.class).field("_id").equal(hotel.getId()); // The Mapper class also provides a public static of the default _id field name for us... Query<Hotel> updateQuery = datastore.createQuery(Hotel.class).field(Mapper.ID_KEY).equal(hotel.getId());
set/unset
// change the name of the hotel ops = datastore.createUpdateOperations(Hotel.class).set("name", "Fairmont Chateau Laurier"); datastore.update(updateQuery, ops); // also works for embedded documents, change the name of the city in the address ops = datastore.createUpdateOperations(Hotel.class).set("address.city", "Ottawa"); datastore.update(updateQuery, ops); // remove the name property from the document // causes the next load of the Hotel to have name = null ops = datastore.createUpdateOperations(Hotel.class).unset("name"); datastore.update(updateQuery, ops);
inc/dec
// increment 'stars' by 1 ops = datastore.createUpdateOperations(Hotel.class).inc("stars"); datastore.update(updateQuery, ops); // increment 'stars' by 4 ops = datastore.createUpdateOperations(Hotel.class).inc("stars", 4); datastore.update(updateQuery, ops); // decrement 'stars' by 1 ops = datastore.createUpdateOperations(Hotel.class).dec("stars"); // same as .inc("stars", -1) datastore.update(updateQuery, ops); // decrement 'stars' by 4 ops = datastore.createUpdateOperations(Hotel.class).inc("stars", -4); datastore.update(updateQuery, ops);
add/All
// push a value onto an array() (+v 0.95) // same as .add("roomNumbers", 11, false) ops = datastore.createUpdateOperations(Hotel.class).add("roomNumbers", 11); datastore.update(updateQuery, ops); // [ 11 ] // Performing array operations on a non-array property causes mongodb to throw an error. ops = datastore.createUpdateOperations(Hotel.class).set("roomNumbers", 11); datastore.update(updateQuery, ops); // causes error since 'roomNumbers' is not an array at this point ops = datastore.createUpdateOperations(Hotel.class).add("roomNumbers", 11, false); datastore.update(updateQuery, ops); // causes error // delete the property ops = datastore.createUpdateOperations(Hotel.class).unset("roomNumbers"); datastore.update(updateQuery, ops); // use the 3rd parameter to add duplicates // add to end of array, same as add() ops = datastore.createUpdateOperations(Hotel.class).add("roomNumbers", 11, false); datastore.update(updateQuery, ops); // [ 11 ] // no change since its a duplicate... doesn't cause error ops = datastore.createUpdateOperations(Hotel.class).add("roomNumbers", 11, false); datastore.update(updateQuery, ops); // [ 11 ] // push onto the end of the array ops = datastore.createUpdateOperations(Hotel.class).add("roomNumbers", 12, false); datastore.update(updateQuery, ops); // [ 11, 12 ] // add even if its a duplicate ops = datastore.createUpdateOperations(Hotel.class).add("roomNumbers", 11, true); datastore.update(updateQuery, ops); // [ 11, 12, 11 ]
removeFirst/Last/All
//given roomNumbers = [ 1, 2, 3 ] ops = datastore.createUpdateOperations(Hotel.class).removeFirst("roomNumbers"); datastore.update(updateQuery, ops); // [ 2, 3 ] //given roomNumbers = [ 1, 2, 3 ] ops = datastore.createUpdateOperations(Hotel.class).removeLast("roomNumbers"); datastore.update(updateQuery, ops); // [ 1, 2 ] ops = datastore.createUpdateOperations(Hotel.class).removeLast("roomNumbers"); datastore.update(updateQuery, ops); // [ 1 ] ops = datastore.createUpdateOperations(Hotel.class).removeLast("roomNumbers"); datastore.update(updateQuery, ops); // [] empty array //given roomNumbers = [ 1, 2, 3, 3 ] ops = datastore.createUpdateOperations(Hotel.class).removeAll("roomNumbers", 3); datastore.update(updateQuery, ops); // [ 1, 2 ] //given roomNumbers = [ 1, 2, 3, 3 ] ops = datastore.createUpdateOperations(Hotel.class).removeAll("roomNumbers", Arrays.asList(2, 3)); datastore.update(updateQuery, ops); // [ 1 ]
Multiple Operations
//You can also perform multiple update operations within a single update. //set city to Ottawa and increment stars by 1 ops = datastore.createUpdateOperations(Hotel.class).set("city", "Ottawa").inc("stars"); datastore.update(updateQuery, ops); //if you perform multiple operations in one command on the same property, results will vary ops = datastore.createUpdateOperations(Hotel.class).inc("stars", 50).inc("stars"); //increments by 1 ops = datastore.createUpdateOperations(Hotel.class).inc("stars").inc("stars", 50); //increments by 50 //you can't apply conflicting operations to the same property ops = datastore.createUpdateOperations(Hotel.class).set("stars", 1).inc("stars", 50); //causes error
updateFirst method
//In the default driver and shell this is the default behavior. In Morphia we feel like updating all the results of the query is a better default (see below). //{ name: "Fairmont", stars: 5}, { name: "Last Chance", stars: 3 } ops = datastore.createUpdateOperations(Hotel.class).inc("stars", 50); // (+v 0.95 now takes into account the order()) // morphia exposes a specific updateFirst to update only the first hotel matching the query datastore.updateFirst(datastore.find(Hotel.class).order("stars"), ops); // update only Last Chance datastore.updateFirst(datastore.find(Hotel.class).order("-stars"), ops); // update only Fairmont //default shell version is to match first //shell version has a multi to indicate to update all matches, not just first //to mimic morphia operation, set multi = false db.collection.update( criteria, objNew, upsert, multi );
update method
ops = datastore.createUpdateOperations(Hotel.class).inc("stars", 50); // morphia default update is to update all the hotels datastore.update(datastore.createQuery(Hotel.class), ops); //increments all hotels //equivalent morphia shell version is... upsert = false, multi = true db.collection.update( criteria, objNew, false, true );
createIfMissing (overload parameter)
//all of the update methods are overloaded and accept a "createIfMissing" parameter ops = datastore.createUpdateOperations(Hotel.class).inc("stars", 50); //update, if not found create it datastore.updateFirst(datastore.createQuery(Hotel.class).field("stars").greaterThan(100), ops, true); // creates { "_id" : ObjectId("4c60629d2f1200000000161d"), "stars" : 50 } // equivalent morphia shell version is... upsert = true db.collection.update( criteria, objNew, true, multi );
二: morphia的Query
Introduction
The Query interface is pretty straight forward. It allows for certain filter criteria (based on fields), sorting, an offset, and limiting of the number of results.
The query implementation also implements the the QueryResults interface which allows access to the data from the query.
Filter
The generic .filter(criteria, value) syntax is supported. The criteria is a composite of the field name and the operator ("field >", or "field in"). All criteria are implicitly combined with a logical "and".
Datastore ds = ... Query q = ds . createQuery ( MyEntity . class ). filter ( "foo >" , 12 );
Finding entities where foo is between 12 and 30 would look like this:
Datastore ds = ... Query q = ds . createQuery ( MyEntity . class ). filter ( "foo >" , 12 ). filter ( "foo <" , 30 );
Operators
The operators used in filter(...) match the MongoDB query operators very closely.
operator | mongo op |
= | $eq |
!=, <> | $ne |
>, <, >=,<= | $gt, $lt, $gte, $lte |
in | $in |
nin | $nin |
elem | $elemMatch |
exists | $exists |
all | $all |
size | $size |
... | ... |
Fluent Interface
Along with the .filter(...) method there are fluent query methods as well. These provide a more readable (like in the english language sense) form.
The fluent interface works by starting with field(name) . Then any of the following methods can be added to form the filtering part of the criteria.
Query q = ds . createQuery ( MyEntity . class ). field ( "foo" ). equal ( 1 ); q . field ( "bar" ). greaterThan ( 12 ); q . field ( "bar" ). lessThan ( 40 );
Methods
method | operation | comment |
exists | $exists | |
doesNotExist | $exists | |
greaterThan, greaterThanOrEq, lessThan, lessThanOrEq | $gt, $gte, $lt, $lte | |
equal, notEqual | $eq, $ne | |
hasThisOne | $eq | |
hasAllOf | $all | |
hasAnyOf | $in | |
hasNoneOf | $nin | |
hasThisElement | $elemMatch | |
sizeEq | $size |
Geo-spatial
All of the geo-spatial query methods break down into "near, and within". All of the near queries will produce results in order of distance, closest first. All of the methods below also accept a final parameter of spherical to indicate if they should use the new $sphere option.
method | operation | comment |
near(x,y) | $near | |
near(x,y,r) | $near | (w/maxDistance of r) |
within(x,y,r) | $within + $center | |
within(x1,y1,x2,y2) | $within + $box |
@Entity static private class Place { @Id protected ObjectId id ; protected String name = "" ; @Indexed ( IndexDirection . GEO2D ) protected double [] loc = null ; public Place ( String name , double [] loc ) { this . name = name ; this . loc = loc ; } private Place () {} } Place place1 = new Place ( "place1" , new double [] { 1 , 1 }); ds . save ( place1 ); Place found = ds . find ( Place . class ). field ( "loc" ). near ( 0 , 0 ). get ();
Or
Using the fluent query interface you can also do "or" queries like this:
Query < Person > q = ad . createQuery ( Person . class ); q . or ( q . criteria ( "firstName" ). equal ( "scott" ), q . criteria ( "lastName" ). equal ( "scott" ) );
Note : In this example the method criteria is used. It you use field}} as one of the {{{or parameters then you will get a compiler error.
Fields
Field names can be used much like they can in native mongodb queries , with "dot" notation .
Query q = ds . createQuery ( Person . class ). field ( "addresses.city" ). equal ( "San Francisco" ); //or with filter, or with this helper method Query q = ds . find ( Person . class , "addresses.city" , "San Francisco" );
Validation
Validation is done on the field names, and data types used. If a field name is not found on the java class specified in the query then an exception is thrown. If the field name is in "dot" notation then each part of the expression is checked against your java object graph (with the exception of a map, where the key name is skipped).
Problems in the data type (comparing the field type and parameter type) are logged as warnings since it is possible that the server can coerce the values, or that you meant to send something which didn't seem to make sense; The server uses the byte representation of the parameter so some values can match even if the data types are different (numbers for example).
Disabling Validation
Validation can be disabled by calling disableValidation() as the beginning of the query definition, or anywhere within you query.
Datastore ds = ... Query q = ds . createQuery ( MyEntity . class ). disableValidation (); //or it can be disabled for just one filter Query q = ds . createQuery ( MyEntity . class ). disableValidation (). filter ( "someOldField" , value ). enableValidation (). filter ( "realField" , otherVal );
Sort
You can sort by a field, or multiple fields in ascending or descending order.
Datastore ds = ... Query q = ds . createQuery ( MyEntity . class ). filter ( "foo >" , 12 ). order ( "dateAdded" ); ... // desc order Query q = ds . createQuery ( MyEntity . class ). filter ( "foo >" , 12 ). order ( "-dateAdded" ); ... // asc dateAdded, desc foo Query q = ds . createQuery ( MyEntity . class ). filter ( "foo >" , 12 ). order ( "dateAdded, -foo" );
Limit
You can also limit for the number of elements.
Datastore ds = ... Query q = ds . createQuery ( MyEntity . class ). filter ( "foo >" , 12 ). limit ( 100 );
Offset (skip)
You can also ask the server to skip over a number of elements on the server by specifying an offset value for the query. This will less efficient than a range filter using some field, for pagination for example.
Datastore ds = ... Query q = ds . createQuery ( MyEntity . class ). filter ( "foo >" , 12 ). offset ( 1000 );
Ignoring Fields
MongoDB also supports only returning certain fields. This is a little strange in application but it is an important way to trim parts off of embedded graphs. This will lead to partial entities and should be used sparingly, if at all.
Datastore ds = ... MyEntity e = ds . createQuery ( MyEntity . class ). retrievedFields ( true , "foo" ). get (); val = e . getFoo (); // only field returned ... MyEntity e = ds . createQuery ( MyEntity . class ). retrievedFields ( false , "foo" ). get (); val = e . getFoo (); // only field not returned
The field name argument (the last arg) can be a list of strings or a string array:
MyEntity e = ds . createQuery ( MyEntity . class ). retrievedFields ( true , "foo" , "bar" ). get (); val = e . getFoo (); // fields returned vak = e . getBar (); // fields returned
Returning Data
To return your data just call one of the QueryResults methods. None of these methods affect the Query. They will leave the Query alone so you can continue to use it to retrieve new results by calling these methods again.
method | does |
get() | returns the first Entity -- using limit(1) |
asList() | return all items in a List -- could be costly with large result sets |
fetch() | explicit method to get Iterable instance |
asKeyList() | return all items in a List of their Key<T> -- This only retrieves the id field from the server. |
fetchEmptyEntities() | Just like a fetch() but only retrieves, and fills in the id field. |
Datastore ds = ... Query q = ds . createQuery ( MyEntity . class ). filter ( "foo >" , 12 ); //single entity MyEntity e = q . get (); e = q . sort ( "foo" ). get (); //for for ( MyEntity e : q ) print ( e ); //list List < MyEntity > entities = q . asList ();
发表评论
-
mongodb 地理位置处理
2016-05-16 13:39 1418我只记录我用到的部分,没有完整分析mongodb对地理位置 ... -
Redis配置文件redis.conf
2014-11-14 14:10 1868# Redis configuration file ex ... -
Redis高可用部署及监控
2014-11-12 13:25 1097一、 Re ... -
JCS官方文档的简单笔记,仅供自己参考
2014-09-26 20:08 7791. 基本配置 jcs.default=DCjcs.de ... -
JCS基本配置
2014-09-26 19:39 9431、默认的内存缓存 ... -
NoSQL解决方案比较(MongoDB vs Redis, Tokyo Cabinet, and Berkeley DB)
2013-09-30 14:20 1341NoSQL解决方案比较 NoSQL Solution: E ... -
morphia与spring的整合
2012-12-07 15:06 1484转自: http://www.blogjava.net/wat ... -
Mongo的ORM框架的学习Morphia(十五)Morphia+spring整合
2012-12-07 15:06 1657转自:http://topmanopensource.itey ... -
Mongo的ORM框架的学习Morphia(十) morphia应用
2012-12-05 14:47 1462转自:http://topmanopensource.itey ... -
Mongo的ORM框架的学习Morphia(九) morphia简单使用
2012-12-05 14:44 1380转自 http://topmanopensource.itey ... -
Mongo的ORM框架的学习Morphia(八) morphia数据库访问接口
2012-12-05 14:35 2019转自:http://topmanopensource.itey ... -
Mongo的ORM框架的学习Morphia(annotations)
2012-12-05 14:33 2543一:@Entity的使用 @Entity ... -
Instagram的Redis实践(内存占用优化)
2012-11-30 10:43 1201转自:http://blog.nosqlfan.com/htm ... -
SQL 和Mongo 对比图表
2012-11-28 14:54 2208参看官方说明: http://www.mongodb ... -
MongoDB 入门指南、示例
2012-11-23 10:38 853转自:http://www.cnblogs.com/hoojo ... -
mongodb中使用MapReduce
2012-11-23 10:12 1212MapReduce函数的用法如下: db.users.ma ... -
python的redis用法
2012-11-22 15:48 1170#! /usr/bin/env python #coding ... -
Python连接redis
2012-11-22 15:46 5621一、Redis是流行的NOSQL内存数据库,以Key-Valu ... -
【pipeline】【分布式的id生成器】【分布式锁【watch】【multi】】【redis分布式】
2012-08-29 10:42 1376转自 http://www.bwkeji.com/a/wang ... -
利用redis的transaction功能,实现分布式下加锁
2012-08-29 09:57 2408package memcached; import ja ...
相关推荐
在本文中,我们将探讨MongoDB的ORM框架Morphia,并结合Spring Data MongoDB的使用来创建一个集成应用。ORM(对象关系映射)框架是将数据库操作转化为对象模型的方法,简化了开发过程,使得开发者可以专注于业务逻辑...
标题中的“morphia.jar”和“mongo.jar”指的是两个与MongoDB数据库操作相关的Java库文件。MongoDB是一个流行的开源、分布式文档型数据库,而Morphia则是Java开发人员用来操作MongoDB的一个对象数据映射(ODM)框架...
此外,`Query`和`Criteria`类可用于构建复杂的查询条件。 Morphia则是另一个与MongoDB集成的Java库,它通过对象关系映射(ORM)的方式,将Java对象映射到MongoDB的文档上。使用Morphia,开发者可以定义实体类,并...
Morphia 是一个 Java ORM(对象关系映射)库,用于简化 MongoDB 的数据操作,将数据模型与数据库文档之间的转换自动化。在本文中,我们将深入探讨如何使用 Morphia 进行 MongoDB 的操作。 首先,为了在 Java 项目中...
Morphia是一款针对MongoDB数据库的Java对象关系映射(ORM)框架,它的主要目标是让Java开发者能够以面向对象的方式处理数据库操作,从而减轻数据库设计的复杂性,使开发者能更专注于业务逻辑。Morphia以轻量级和类型...
Morphia一个nosql的ORM框架 对此二次封装
在IT行业中,Play Framework是一个流行的Java和Scala全栈Web应用框架,它以其简洁的API和对测试驱动开发(TDD)的友好支持而受到开发者们的喜爱。MongoDB则是一款基于分布式文件存储的开源文档数据库系统,广泛应用于...
为了实现这一功能,我们可以利用MongoDB的聚合框架,结合Spring Boot和Morphia这两个Java库。 Morphia是一个针对MongoDB的Java ORM(对象关系映射)工具,它简化了与MongoDB的交互,允许开发者将Java对象直接映射到...
本文将详细介绍如何在 Spring 4.2 中集成 MongoDB 框架,特别是使用 Morphia 1.1 这个 ORM(对象关系映射)工具进行数据操作。 ### 1. 安装与配置 首先,确保已安装 MongoDB 服务器并运行。然后,在项目中添加以下...
虽然Apache Commons BeanUtils库提供了一种便捷的方式进行转换,但在大规模应用中,考虑使用ORM框架如Morphia或Spring Data MongoDB,它们提供了更高级别的抽象和自动转换功能,可以简化对象与数据库之间的交互。...
7. **更新和删除文档**:`updateOne` 和 `updateMany` 用于更新匹配条件的文档,`deleteOne` 和 `deleteMany` 用于删除。 8. **使用 Morphia**:Morphia 是一个 ORM 库,它可以将 Kotlin 类映射到 MongoDB 文档。...
此外,还有ORM(Object-Relational Mapping)库,如Morphia和Spring Data MongoDB,它们帮助简化数据对象与数据库文档之间的转换,提高开发效率。 7. **MJORM**:Mongo-Java-ORM(MJORM)是一个专门为MongoDB设计的...