idx
int64
0
165k
question
stringlengths
73
4.15k
target
stringlengths
5
918
len_question
int64
21
890
len_target
int64
3
255
900
public ObjectReferenceDescriptor getObjectReferenceDescriptorByName ( String name ) { ObjectReferenceDescriptor ord = ( ObjectReferenceDescriptor ) getObjectReferenceDescriptorsNameMap ( ) . get ( name ) ; // // BRJ: if the ReferenceDescriptor is not found // look in the ClassDescriptor referenced by 'super' for it // if ( ord == null ) { ClassDescriptor superCld = getSuperClassDescriptor ( ) ; if ( superCld != null ) { ord = superCld . getObjectReferenceDescriptorByName ( name ) ; } } return ord ; }
Get an ObjectReferenceDescriptor by name BRJ
136
11
901
public CollectionDescriptor getCollectionDescriptorByName ( String name ) { if ( name == null ) { return null ; } CollectionDescriptor cod = ( CollectionDescriptor ) getCollectionDescriptorNameMap ( ) . get ( name ) ; // // BRJ: if the CollectionDescriptor is not found // look in the ClassDescriptor referenced by 'super' for it // if ( cod == null ) { ClassDescriptor superCld = getSuperClassDescriptor ( ) ; if ( superCld != null ) { cod = superCld . getCollectionDescriptorByName ( name ) ; } } return cod ; }
Get an CollectionDescriptor by name BRJ
141
10
902
public ClassDescriptor getSuperClassDescriptor ( ) { if ( ! m_superCldSet ) { if ( getBaseClass ( ) != null ) { m_superCld = getRepository ( ) . getDescriptorFor ( getBaseClass ( ) ) ; if ( m_superCld . isAbstract ( ) || m_superCld . isInterface ( ) ) { throw new MetadataException ( "Super class mapping only work for real class, but declared super class" + " is an interface or is abstract. Declared class: " + m_superCld . getClassNameOfObject ( ) ) ; } } m_superCldSet = true ; } return m_superCld ; }
Answers the ClassDescriptor referenced by super ReferenceDescriptor .
157
15
903
public void addExtentClass ( String newExtentClassName ) { extentClassNames . add ( newExtentClassName ) ; if ( m_repository != null ) m_repository . addExtent ( newExtentClassName , this ) ; }
add an Extent class to the current descriptor
58
9
904
public void setProxyClass ( Class newProxyClass ) { proxyClass = newProxyClass ; if ( proxyClass == null ) { setProxyClassName ( null ) ; } else { proxyClassName = proxyClass . getName ( ) ; } }
Sets the proxy class to be used .
52
9
905
public FieldDescriptor getAutoIncrementField ( ) { if ( m_autoIncrementField == null ) { FieldDescriptor [ ] fds = getPkFields ( ) ; for ( int i = 0 ; i < fds . length ; i ++ ) { FieldDescriptor fd = fds [ i ] ; if ( fd . isAutoIncrement ( ) ) { m_autoIncrementField = fd ; break ; } } } if ( m_autoIncrementField == null ) { LoggerFactory . getDefaultLogger ( ) . warn ( this . getClass ( ) . getName ( ) + ": " + "Could not find autoincrement attribute for class: " + this . getClassNameOfObject ( ) ) ; } return m_autoIncrementField ; }
Returns the first found autoincrement field defined in this class descriptor . Use carefully when multiple autoincrement field were defined .
176
25
906
public ValueContainer [ ] getCurrentLockingValues ( Object o ) throws PersistenceBrokerException { FieldDescriptor [ ] fields = getLockingFields ( ) ; ValueContainer [ ] result = new ValueContainer [ fields . length ] ; for ( int i = 0 ; i < result . length ; i ++ ) { result [ i ] = new ValueContainer ( fields [ i ] . getPersistentField ( ) . get ( o ) , fields [ i ] . getJdbcType ( ) ) ; } return result ; }
returns an Array with an Objects CURRENT locking VALUES BRJ
114
14
907
public void updateLockingValues ( Object obj ) throws PersistenceBrokerException { FieldDescriptor [ ] fields = getLockingFields ( ) ; for ( int i = 0 ; i < fields . length ; i ++ ) { FieldDescriptor fmd = fields [ i ] ; if ( fmd . isUpdateLock ( ) ) { PersistentField f = fmd . getPersistentField ( ) ; Object cv = f . get ( obj ) ; // int if ( ( f . getType ( ) == int . class ) || ( f . getType ( ) == Integer . class ) ) { int newCv = 0 ; if ( cv != null ) { newCv = ( ( Number ) cv ) . intValue ( ) ; } newCv ++ ; f . set ( obj , new Integer ( newCv ) ) ; } // long else if ( ( f . getType ( ) == long . class ) || ( f . getType ( ) == Long . class ) ) { long newCv = 0 ; if ( cv != null ) { newCv = ( ( Number ) cv ) . longValue ( ) ; } newCv ++ ; f . set ( obj , new Long ( newCv ) ) ; } // Timestamp else if ( f . getType ( ) == Timestamp . class ) { long newCv = System . currentTimeMillis ( ) ; f . set ( obj , new Timestamp ( newCv ) ) ; } } } }
updates the values for locking fields BRJ handles int long Timestamp respects updateLock so locking field are only updated when updateLock is true
324
28
908
public Constructor getZeroArgumentConstructor ( ) { if ( zeroArgumentConstructor == null && ! alreadyLookedupZeroArguments ) { try { zeroArgumentConstructor = getClassOfObject ( ) . getConstructor ( NO_PARAMS ) ; } catch ( NoSuchMethodException e ) { //no public zero argument constructor available let's try for a private/protected one try { zeroArgumentConstructor = getClassOfObject ( ) . getDeclaredConstructor ( NO_PARAMS ) ; //we found one, now let's make it accessible zeroArgumentConstructor . setAccessible ( true ) ; } catch ( NoSuchMethodException e2 ) { //out of options, log the fact and let the method return null LoggerFactory . getDefaultLogger ( ) . warn ( this . getClass ( ) . getName ( ) + ": " + "No zero argument constructor defined for " + this . getClassOfObject ( ) ) ; } } alreadyLookedupZeroArguments = true ; } return zeroArgumentConstructor ; }
returns the zero argument constructor for the class represented by this class descriptor or null if a zero argument constructor does not exist . If the zero argument constructor for this class is not public it is made accessible before being returned .
228
44
909
private synchronized void setInitializationMethod ( Method newMethod ) { if ( newMethod != null ) { // make sure it's a no argument method if ( newMethod . getParameterTypes ( ) . length > 0 ) { throw new MetadataException ( "Initialization methods must be zero argument methods: " + newMethod . getClass ( ) . getName ( ) + "." + newMethod . getName ( ) ) ; } // make it accessible if it's not already if ( ! newMethod . isAccessible ( ) ) { newMethod . setAccessible ( true ) ; } } this . initializationMethod = newMethod ; }
sets the initialization method for this descriptor
133
7
910
private synchronized void setFactoryMethod ( Method newMethod ) { if ( newMethod != null ) { // make sure it's a no argument method if ( newMethod . getParameterTypes ( ) . length > 0 ) { throw new MetadataException ( "Factory methods must be zero argument methods: " + newMethod . getClass ( ) . getName ( ) + "." + newMethod . getName ( ) ) ; } // make it accessible if it's not already if ( ! newMethod . isAccessible ( ) ) { newMethod . setAccessible ( true ) ; } } this . factoryMethod = newMethod ; }
Specify the method to instantiate objects represented by this descriptor .
131
13
911
protected org . apache . log4j . helpers . PatternParser createPatternParser ( final String pattern ) { return new FoundationLoggingPatternParser ( pattern ) ; }
Returns PatternParser used to parse the conversion string . Subclasses may override this to return a subclass of PatternParser which recognize custom conversion characters .
35
28
912
public String format ( final LoggingEvent event ) { final StringBuffer buf = new StringBuffer ( ) ; for ( PatternConverter c = head ; c != null ; c = c . next ) { c . format ( buf , event ) ; } return buf . toString ( ) ; }
Formats a logging event to a writer .
62
9
913
protected String getUniqueString ( FieldDescriptor field ) throws SequenceManagerException { ResultSetAndStatement rsStmt = null ; String returnValue = null ; try { rsStmt = getBrokerForClass ( ) . serviceJdbcAccess ( ) . executeSQL ( "select newid()" , field . getClassDescriptor ( ) , Query . NOT_SCROLLABLE ) ; if ( rsStmt . m_rs . next ( ) ) { returnValue = rsStmt . m_rs . getString ( 1 ) ; } else { LoggerFactory . getDefaultLogger ( ) . error ( this . getClass ( ) + ": Can't lookup new oid for field " + field ) ; } } catch ( PersistenceBrokerException e ) { throw new SequenceManagerException ( e ) ; } catch ( SQLException e ) { throw new SequenceManagerException ( e ) ; } finally { // close the used resources if ( rsStmt != null ) rsStmt . close ( ) ; } return returnValue ; }
returns a unique String for given field . the returned uid is unique accross all tables .
225
20
914
public static Object getObjectFromColumn ( ResultSet rs , Integer jdbcType , int columnId ) throws SQLException { return getObjectFromColumn ( rs , null , jdbcType , null , columnId ) ; }
Returns an java object read from the specified ResultSet column .
50
12
915
public Object getTransferData ( DataFlavor flavor ) throws UnsupportedFlavorException , java . io . IOException { if ( flavor . isMimeTypeEqual ( OJBMETADATA_FLAVOR ) ) return selectedDescriptors ; else throw new UnsupportedFlavorException ( flavor ) ; }
Returns an object which represents the data to be transferred . The class of the object returned is defined by the representation class of the flavor .
67
27
916
protected void load ( ) { // properties file may be set as a System property. // if no property is set take default name. String fn = System . getProperty ( OJB_PROPERTIES_FILE , OJB_PROPERTIES_FILE ) ; setFilename ( fn ) ; super . load ( ) ; // default repository & connection descriptor file repositoryFilename = getString ( "repositoryFile" , OJB_METADATA_FILE ) ; // object cache class objectCacheClass = getClass ( "ObjectCacheClass" , ObjectCacheDefaultImpl . class , ObjectCache . class ) ; // load PersistentField Class persistentFieldClass = getClass ( "PersistentFieldClass" , PersistentFieldDirectImpl . class , PersistentField . class ) ; // load PersistenceBroker Class persistenceBrokerClass = getClass ( "PersistenceBrokerClass" , PersistenceBrokerImpl . class , PersistenceBroker . class ) ; // load ListProxy Class listProxyClass = getClass ( "ListProxyClass" , ListProxyDefaultImpl . class ) ; // load SetProxy Class setProxyClass = getClass ( "SetProxyClass" , SetProxyDefaultImpl . class ) ; // load CollectionProxy Class collectionProxyClass = getClass ( "CollectionProxyClass" , CollectionProxyDefaultImpl . class ) ; // load IndirectionHandler Class indirectionHandlerClass = getClass ( "IndirectionHandlerClass" , IndirectionHandlerJDKImpl . class , IndirectionHandler . class ) ; // load ProxyFactory Class proxyFactoryClass = getClass ( "ProxyFactoryClass" , ProxyFactoryJDKImpl . class , ProxyFactory . class ) ; // load configuration for ImplicitLocking parameter: useImplicitLocking = getBoolean ( "ImplicitLocking" , false ) ; // load configuration for LockAssociations parameter: lockAssociationAsWrites = ( getString ( "LockAssociations" , "WRITE" ) . equalsIgnoreCase ( "WRITE" ) ) ; // load OQL Collection Class oqlCollectionClass = getClass ( "OqlCollectionClass" , DListImpl . class , ManageableCollection . class ) ; // set the limit for IN-sql , -1 for no limits sqlInLimit = getInteger ( "SqlInLimit" , - 1 ) ; //load configuration for PB pool maxActive = getInteger ( PoolConfiguration . MAX_ACTIVE , PoolConfiguration . DEFAULT_MAX_ACTIVE ) ; maxIdle = getInteger ( PoolConfiguration . MAX_IDLE , PoolConfiguration . DEFAULT_MAX_IDLE ) ; maxWait = getLong ( PoolConfiguration . MAX_WAIT , PoolConfiguration . DEFAULT_MAX_WAIT ) ; timeBetweenEvictionRunsMillis = getLong ( PoolConfiguration . TIME_BETWEEN_EVICTION_RUNS_MILLIS , PoolConfiguration . DEFAULT_TIME_BETWEEN_EVICTION_RUNS_MILLIS ) ; minEvictableIdleTimeMillis = getLong ( PoolConfiguration . MIN_EVICTABLE_IDLE_TIME_MILLIS , PoolConfiguration . DEFAULT_MIN_EVICTABLE_IDLE_TIME_MILLIS ) ; whenExhaustedAction = getByte ( PoolConfiguration . WHEN_EXHAUSTED_ACTION , PoolConfiguration . DEFAULT_WHEN_EXHAUSTED_ACTION ) ; useSerializedRepository = getBoolean ( "useSerializedRepository" , false ) ; }
Loads the configuration from file OBJ . properties . If the system property OJB . properties is set then the configuration in that file is loaded . Otherwise the file OJB . properties is tried . If that is also unsuccessful then the configuration is filled with default values .
750
54
917
public Collection getReaders ( Object obj ) { Collection result = null ; try { Identity oid = new Identity ( obj , getBroker ( ) ) ; byte selector = ( byte ) ' ' ; byte [ ] requestBarr = buildRequestArray ( oid , selector ) ; HttpURLConnection conn = getHttpUrlConnection ( ) ; //post request BufferedOutputStream out = new BufferedOutputStream ( conn . getOutputStream ( ) ) ; out . write ( requestBarr , 0 , requestBarr . length ) ; out . flush ( ) ; // read result from InputStream in = conn . getInputStream ( ) ; ObjectInputStream ois = new ObjectInputStream ( in ) ; result = ( Collection ) ois . readObject ( ) ; // cleanup ois . close ( ) ; out . close ( ) ; conn . disconnect ( ) ; } catch ( Throwable t ) { throw new PersistenceBrokerException ( t ) ; } return result ; }
returns a collection of Reader LockEntries for object obj . If now LockEntries could be found an empty Vector is returned .
207
27
918
public void addColumnPair ( String localColumn , String remoteColumn ) { if ( ! _localColumns . contains ( localColumn ) ) { _localColumns . add ( localColumn ) ; } if ( ! _remoteColumns . contains ( remoteColumn ) ) { _remoteColumns . add ( remoteColumn ) ; } }
Adds a column pair to this foreignkey .
71
9
919
public int compare ( Object objA , Object objB ) { String idAStr = _table . getColumn ( ( String ) objA ) . getProperty ( "id" ) ; String idBStr = _table . getColumn ( ( String ) objB ) . getProperty ( "id" ) ; int idA ; int idB ; try { idA = Integer . parseInt ( idAStr ) ; } catch ( Exception ex ) { return 1 ; } try { idB = Integer . parseInt ( idBStr ) ; } catch ( Exception ex ) { return - 1 ; } return idA < idB ? - 1 : ( idA > idB ? 1 : 0 ) ; }
Compares two columns given by their names .
149
9
920
public String getAlias ( String path ) { if ( m_allPathsAliased && m_attributePath . lastIndexOf ( path ) != - 1 ) { return m_name ; } Object retObj = m_mapping . get ( path ) ; if ( retObj != null ) { return ( String ) retObj ; } return null ; }
Returns the name of this alias if path has been added to the aliased portions of attributePath
75
19
921
public void addClass ( ClassDescriptorDef classDef ) { classDef . setOwner ( this ) ; // Regardless of the format of the class name, we're using the fully qualified format // This is safe because of the package & class naming constraints of the Java language _classDefs . put ( classDef . getQualifiedName ( ) , classDef ) ; }
Adds the class descriptor to this model .
78
8
922
public void checkConstraints ( String checkLevel ) throws ConstraintException { // check constraints now after all classes have been processed for ( Iterator it = getClasses ( ) ; it . hasNext ( ) ; ) { ( ( ClassDescriptorDef ) it . next ( ) ) . checkConstraints ( checkLevel ) ; } // additional model constraints that either deal with bigger parts of the model or // can only be checked after the individual classes have been checked (e.g. specific // attributes have been ensured) new ModelConstraints ( ) . check ( this , checkLevel ) ; }
Checks constraints on this model .
128
7
923
public FinishRequest toFinishRequest ( boolean includeHeaders ) { if ( includeHeaders ) { return new FinishRequest ( body , copyHeaders ( headers ) , statusCode ) ; } else { String mime = null ; if ( body != null ) { mime = "text/plain" ; if ( headers != null && ( headers . containsKey ( "Content-Type" ) || headers . containsKey ( "content-type" ) ) ) { mime = headers . get ( "Content-Type" ) ; if ( mime == null ) { mime = headers . get ( "content-type" ) ; } } } return new FinishRequest ( body , mime , statusCode ) ; } }
Convert the message to a FinishRequest
151
8
924
public void setAttributeEditable ( Attribute attribute , boolean editable ) { attribute . setEditable ( editable ) ; if ( ! ( attribute instanceof LazyAttribute ) ) { // should not instantiate lazy attributes! if ( attribute instanceof ManyToOneAttribute ) { setAttributeEditable ( ( ( ManyToOneAttribute ) attribute ) . getValue ( ) , editable ) ; } else if ( attribute instanceof OneToManyAttribute ) { List < AssociationValue > values = ( ( OneToManyAttribute ) attribute ) . getValue ( ) ; for ( AssociationValue value : values ) { setAttributeEditable ( value , editable ) ; } } } }
Set editable state on an attribute . This needs to also set the state on the associated attributes .
141
20
925
private void increaseBeliefCount ( String bName ) { Object belief = this . getBelief ( bName ) ; int count = 0 ; if ( belief != null ) { count = ( Integer ) belief ; } this . setBelief ( bName , count + 1 ) ; }
If the belief its a count of some sort his counting its increased by one .
60
16
926
private void setBelief ( String bName , Object value ) { introspector . setBeliefValue ( this . getLocalName ( ) , bName , value , null ) ; }
Modifies the belief referenced by bName parameter .
40
10
927
public static Organization createOrganization ( final String name ) { final Organization organization = new Organization ( ) ; organization . setName ( name ) ; return organization ; }
Generates an organization regarding the parameters .
33
8
928
public static Module createModule ( final String name , final String version ) { final Module module = new Module ( ) ; module . setName ( name ) ; module . setVersion ( version ) ; module . setPromoted ( false ) ; return module ; }
Generates a module regarding the parameters .
53
8
929
public static Artifact createArtifact ( final String groupId , final String artifactId , final String version , final String classifier , final String type , final String extension , final String origin ) { final Artifact artifact = new Artifact ( ) ; artifact . setGroupId ( groupId ) ; artifact . setArtifactId ( artifactId ) ; artifact . setVersion ( version ) ; if ( classifier != null ) { artifact . setClassifier ( classifier ) ; } if ( type != null ) { artifact . setType ( type ) ; } if ( extension != null ) { artifact . setExtension ( extension ) ; } artifact . setOrigin ( origin == null ? "maven" : origin ) ; return artifact ; }
Generates an artifact regarding the parameters .
150
8
930
public static License createLicense ( final String name , final String longName , final String comments , final String regexp , final String url ) { final License license = new License ( ) ; license . setName ( name ) ; license . setLongName ( longName ) ; license . setComments ( comments ) ; license . setRegexp ( regexp ) ; license . setUrl ( url ) ; return license ; }
Generates a License regarding the parameters .
87
8
931
public static Comment createComment ( final String entityId , final String entityType , final String action , final String commentedText , final String user , final Date date ) { final Comment comment = new Comment ( ) ; comment . setEntityId ( entityId ) ; comment . setEntityType ( entityType ) ; comment . setAction ( action ) ; comment . setCommentText ( commentedText ) ; comment . setCommentedBy ( user ) ; comment . setCreatedDateTime ( date ) ; return comment ; }
Generates a comment regarding the parameters .
105
8
932
private void writeAllEnvelopes ( boolean reuse ) { // perform remove of m:n indirection table entries first performM2NUnlinkEntries ( ) ; Iterator iter ; // using clone to avoid ConcurentModificationException iter = ( ( List ) mvOrderOfIds . clone ( ) ) . iterator ( ) ; while ( iter . hasNext ( ) ) { ObjectEnvelope mod = ( ObjectEnvelope ) mhtObjectEnvelopes . get ( iter . next ( ) ) ; boolean insert = false ; if ( needsCommit ) { insert = mod . needsInsert ( ) ; mod . getModificationState ( ) . commit ( mod ) ; if ( reuse && insert ) { getTransaction ( ) . doSingleLock ( mod . getClassDescriptor ( ) , mod . getObject ( ) , mod . getIdentity ( ) , Transaction . WRITE ) ; } } /* arminw: important to call this cleanup method for each registered ObjectEnvelope, because this method will e.g. remove proxy listener objects for registered objects. */ mod . cleanup ( reuse , insert ) ; } // add m:n indirection table entries performM2NLinkEntries ( ) ; }
commit all envelopes against the current broker
259
8
933
private void checkAllEnvelopes ( PersistenceBroker broker ) { Iterator iter = ( ( List ) mvOrderOfIds . clone ( ) ) . iterator ( ) ; while ( iter . hasNext ( ) ) { ObjectEnvelope mod = ( ObjectEnvelope ) mhtObjectEnvelopes . get ( iter . next ( ) ) ; // only non transient objects should be performed if ( ! mod . getModificationState ( ) . isTransient ( ) ) { mod . markReferenceElements ( broker ) ; } } }
Mark objects no longer available in collection for delete and new objects for insert .
117
15
934
public void rollback ( ) { try { Iterator iter = mvOrderOfIds . iterator ( ) ; while ( iter . hasNext ( ) ) { ObjectEnvelope mod = ( ObjectEnvelope ) mhtObjectEnvelopes . get ( iter . next ( ) ) ; if ( log . isDebugEnabled ( ) ) log . debug ( "rollback: " + mod ) ; // if the Object has been modified by transaction, mark object as dirty if ( mod . hasChanged ( transaction . getBroker ( ) ) ) { mod . setModificationState ( mod . getModificationState ( ) . markDirty ( ) ) ; } mod . getModificationState ( ) . rollback ( mod ) ; } } finally { needsCommit = false ; } afterWriteCleanup ( ) ; }
perform rollback on all tx - states
174
9
935
public void remove ( Object pKey ) { Identity id ; if ( pKey instanceof Identity ) { id = ( Identity ) pKey ; } else { id = transaction . getBroker ( ) . serviceIdentity ( ) . buildIdentity ( pKey ) ; } mhtObjectEnvelopes . remove ( id ) ; mvOrderOfIds . remove ( id ) ; }
remove an objects entry from the object registry
82
8
936
private void reorder ( ) { if ( getTransaction ( ) . isOrdering ( ) && needsCommit && mhtObjectEnvelopes . size ( ) > 1 ) { ObjectEnvelopeOrdering ordering = new ObjectEnvelopeOrdering ( mvOrderOfIds , mhtObjectEnvelopes ) ; ordering . reorder ( ) ; Identity [ ] newOrder = ordering . getOrdering ( ) ; mvOrderOfIds . clear ( ) ; for ( int i = 0 ; i < newOrder . length ; i ++ ) { mvOrderOfIds . add ( newOrder [ i ] ) ; } } }
Reorder the objects in the table to resolve referential integrity dependencies .
138
15
937
private void cascadeMarkedForInsert ( ) { // This list was used to avoid endless recursion on circular references List alreadyPrepared = new ArrayList ( ) ; for ( int i = 0 ; i < markedForInsertList . size ( ) ; i ++ ) { ObjectEnvelope mod = ( ObjectEnvelope ) markedForInsertList . get ( i ) ; // only if a new object was found we cascade to register the dependent objects if ( mod . needsInsert ( ) ) { cascadeInsertFor ( mod , alreadyPrepared ) ; alreadyPrepared . clear ( ) ; } } markedForInsertList . clear ( ) ; }
Starts recursive insert on all insert objects object graph
134
10
938
private void cascadeInsertFor ( ObjectEnvelope mod , List alreadyPrepared ) { // avoid endless recursion, so use List for registration if ( alreadyPrepared . contains ( mod . getIdentity ( ) ) ) return ; alreadyPrepared . add ( mod . getIdentity ( ) ) ; ClassDescriptor cld = getTransaction ( ) . getBroker ( ) . getClassDescriptor ( mod . getObject ( ) . getClass ( ) ) ; List refs = cld . getObjectReferenceDescriptors ( true ) ; cascadeInsertSingleReferences ( mod , refs , alreadyPrepared ) ; List colls = cld . getCollectionDescriptors ( true ) ; cascadeInsertCollectionReferences ( mod , colls , alreadyPrepared ) ; }
Walk through the object graph of the specified insert object . Was used for recursive object graph walk .
164
19
939
private void cascadeMarkedForDeletion ( ) { List alreadyPrepared = new ArrayList ( ) ; for ( int i = 0 ; i < markedForDeletionList . size ( ) ; i ++ ) { ObjectEnvelope mod = ( ObjectEnvelope ) markedForDeletionList . get ( i ) ; // if the object wasn't associated with another object, start cascade delete if ( ! isNewAssociatedObject ( mod . getIdentity ( ) ) ) { cascadeDeleteFor ( mod , alreadyPrepared ) ; alreadyPrepared . clear ( ) ; } } markedForDeletionList . clear ( ) ; }
Starts recursive delete on all delete objects object graph
136
10
940
private void cascadeDeleteFor ( ObjectEnvelope mod , List alreadyPrepared ) { // avoid endless recursion if ( alreadyPrepared . contains ( mod . getIdentity ( ) ) ) return ; alreadyPrepared . add ( mod . getIdentity ( ) ) ; ClassDescriptor cld = getTransaction ( ) . getBroker ( ) . getClassDescriptor ( mod . getObject ( ) . getClass ( ) ) ; List refs = cld . getObjectReferenceDescriptors ( true ) ; cascadeDeleteSingleReferences ( mod , refs , alreadyPrepared ) ; List colls = cld . getCollectionDescriptors ( true ) ; cascadeDeleteCollectionReferences ( mod , colls , alreadyPrepared ) ; }
Walk through the object graph of the specified delete object . Was used for recursive object graph walk .
158
19
941
public ManageableCollection getCollectionByQuery ( Class collectionClass , Query query , boolean lazy ) throws PersistenceBrokerException { ManageableCollection result ; try { // BRJ: return empty Collection for null query if ( query == null ) { result = ( ManageableCollection ) collectionClass . newInstance ( ) ; } else { if ( lazy ) { result = pb . getProxyFactory ( ) . createCollectionProxy ( pb . getPBKey ( ) , query , collectionClass ) ; } else { result = getCollectionByQuery ( collectionClass , query . getSearchClass ( ) , query ) ; } } return result ; } catch ( Exception e ) { if ( e instanceof PersistenceBrokerException ) { throw ( PersistenceBrokerException ) e ; } else { throw new PersistenceBrokerException ( e ) ; } } }
retrieve a collection of type collectionClass matching the Query query if lazy = true return a CollectionProxy
181
20
942
public void retrieveReferences ( Object newObj , ClassDescriptor cld , boolean forced ) throws PersistenceBrokerException { Iterator i = cld . getObjectReferenceDescriptors ( ) . iterator ( ) ; // turn off auto prefetching for related proxies final Class saveClassToPrefetch = classToPrefetch ; classToPrefetch = null ; pb . getInternalCache ( ) . enableMaterializationCache ( ) ; try { while ( i . hasNext ( ) ) { ObjectReferenceDescriptor rds = ( ObjectReferenceDescriptor ) i . next ( ) ; retrieveReference ( newObj , cld , rds , forced ) ; } pb . getInternalCache ( ) . disableMaterializationCache ( ) ; } catch ( RuntimeException e ) { pb . getInternalCache ( ) . doLocalClear ( ) ; throw e ; } finally { classToPrefetch = saveClassToPrefetch ; } }
Retrieve all References
199
4
943
private boolean hasNullifiedFK ( FieldDescriptor [ ] fkFieldDescriptors , Object [ ] fkValues ) { boolean result = true ; for ( int i = 0 ; i < fkValues . length ; i ++ ) { if ( ! pb . serviceBrokerHelper ( ) . representsNull ( fkFieldDescriptors [ i ] , fkValues [ i ] ) ) { result = false ; break ; } } return result ; }
to avoid creation of unmaterializable proxies
99
8
944
private Query getFKQuery ( Object obj , ClassDescriptor cld , CollectionDescriptor cds ) { Query fkQuery ; QueryByCriteria fkQueryCrit ; if ( cds . isMtoNRelation ( ) ) { fkQueryCrit = getFKQueryMtoN ( obj , cld , cds ) ; } else { fkQueryCrit = getFKQuery1toN ( obj , cld , cds ) ; } // check if collection must be ordered if ( ! cds . getOrderBy ( ) . isEmpty ( ) ) { Iterator iter = cds . getOrderBy ( ) . iterator ( ) ; while ( iter . hasNext ( ) ) { fkQueryCrit . addOrderBy ( ( FieldHelper ) iter . next ( ) ) ; } } // BRJ: customize the query if ( cds . getQueryCustomizer ( ) != null ) { fkQuery = cds . getQueryCustomizer ( ) . customizeQuery ( obj , pb , cds , fkQueryCrit ) ; } else { fkQuery = fkQueryCrit ; } return fkQuery ; }
Answer the foreign key query to retrieve the collection defined by CollectionDescriptor
245
15
945
public Query getPKQuery ( Identity oid ) { Object [ ] values = oid . getPrimaryKeyValues ( ) ; ClassDescriptor cld = pb . getClassDescriptor ( oid . getObjectsTopLevelClass ( ) ) ; FieldDescriptor [ ] fields = cld . getPkFields ( ) ; Criteria criteria = new Criteria ( ) ; for ( int i = 0 ; i < fields . length ; i ++ ) { FieldDescriptor fld = fields [ i ] ; criteria . addEqualTo ( fld . getAttributeName ( ) , values [ i ] ) ; } return QueryFactory . newQuery ( cld . getClassOfObject ( ) , criteria ) ; }
Answer the primary key query to retrieve an Object
157
9
946
public void retrieveCollections ( Object newObj , ClassDescriptor cld , boolean forced ) throws PersistenceBrokerException { doRetrieveCollections ( newObj , cld , forced , false ) ; }
Retrieve all Collection attributes of a given instance
45
9
947
public void retrieveProxyCollections ( Object newObj , ClassDescriptor cld , boolean forced ) throws PersistenceBrokerException { doRetrieveCollections ( newObj , cld , forced , true ) ; }
Retrieve all Collection attributes of a given instance and make all of the Proxy Collections
46
16
948
public void removePrefetchingListeners ( ) { if ( prefetchingListeners != null ) { for ( Iterator it = prefetchingListeners . iterator ( ) ; it . hasNext ( ) ; ) { PBPrefetchingListener listener = ( PBPrefetchingListener ) it . next ( ) ; listener . removeThisListener ( ) ; } prefetchingListeners . clear ( ) ; } }
remove all prefetching listeners
90
6
949
@ PostConstruct protected void init ( ) throws IOException { // base configuration from XML file if ( null != configurationFile ) { log . debug ( "Get base configuration from {}" , configurationFile ) ; manager = new DefaultCacheManager ( configurationFile ) ; } else { GlobalConfigurationBuilder builder = new GlobalConfigurationBuilder ( ) ; builder . globalJmxStatistics ( ) . allowDuplicateDomains ( true ) ; manager = new DefaultCacheManager ( builder . build ( ) ) ; } if ( listener == null ) { listener = new InfinispanCacheListener ( ) ; } manager . addListener ( listener ) ; // cache for caching the cache configurations (hmmm, sounds a bit strange) Map < String , Map < CacheCategory , CacheService > > cacheCache = new HashMap < String , Map < CacheCategory , CacheService > > ( ) ; // build default configuration if ( null != defaultConfiguration ) { setCaches ( cacheCache , null , defaultConfiguration ) ; } // build layer specific configurations for ( Layer layer : layerMap . values ( ) ) { CacheInfo ci = configurationService . getLayerExtraInfo ( layer . getLayerInfo ( ) , CacheInfo . class ) ; if ( null != ci ) { setCaches ( cacheCache , layer , ci ) ; } } }
Finish initializing service .
274
5
950
protected static String ConvertBinaryOperator ( int oper ) { // Convert the operator into the proper string String oper_string ; switch ( oper ) { default : case EQUAL : oper_string = "=" ; break ; case LIKE : oper_string = "LIKE" ; break ; case NOT_EQUAL : oper_string = "!=" ; break ; case LESS_THAN : oper_string = "<" ; break ; case GREATER_THAN : oper_string = ">" ; break ; case GREATER_EQUAL : oper_string = ">=" ; break ; case LESS_EQUAL : oper_string = "<=" ; break ; } return oper_string ; }
Static method to convert a binary operator into a string .
151
11
951
public void writeObject ( Object o , GraphicsDocument document , boolean asChild ) throws RenderException { document . writeElement ( "vml:shape" , asChild ) ; Point p = ( Point ) o ; String adj = document . getFormatter ( ) . format ( p . getX ( ) ) + "," + document . getFormatter ( ) . format ( p . getY ( ) ) ; document . writeAttribute ( "adj" , adj ) ; }
Writes the object to the specified document optionally creating a child element . The object in this case should be a point .
99
24
952
public void setStatusBarMessage ( final String message ) { // Guaranteed to return a non-null array Object [ ] listeners = listenerList . getListenerList ( ) ; // Process the listeners last to first, notifying // those that are interested in this event for ( int i = listeners . length - 2 ; i >= 0 ; i -= 2 ) { if ( listeners [ i ] == StatusMessageListener . class ) { ( ( StatusMessageListener ) listeners [ i + 1 ] ) . statusMessageReceived ( message ) ; } } }
Set a status message in the JTextComponent passed to this model .
113
14
953
public void reportSqlError ( String message , java . sql . SQLException sqlEx ) { StringBuffer strBufMessages = new StringBuffer ( ) ; java . sql . SQLException currentSqlEx = sqlEx ; do { strBufMessages . append ( "\n" + sqlEx . getErrorCode ( ) + ":" + sqlEx . getMessage ( ) ) ; currentSqlEx = currentSqlEx . getNextException ( ) ; } while ( currentSqlEx != null ) ; System . err . println ( message + strBufMessages . toString ( ) ) ; sqlEx . printStackTrace ( ) ; }
Method for reporting SQLException . This is used by the treenodes if retrieving information for a node is not successful .
145
26
954
public Object copy ( final Object obj , final PersistenceBroker broker ) { return clone ( obj , IdentityMapFactory . getIdentityMap ( ) , broker ) ; }
Uses an IdentityMap to make sure we don t recurse infinitely on the same object in a cyclic object model . Proxies
36
28
955
protected Object getObjectFromResultSet ( ) throws PersistenceBrokerException { try { // if all primitive attributes of the object are contained in the ResultSet // the fast direct mapping can be used return super . getObjectFromResultSet ( ) ; } // if the full loading failed we assume that at least PK attributes are contained // in the ResultSet and perform a slower Identity based loading... // This may of course also fail and can throw another PersistenceBrokerException catch ( PersistenceBrokerException e ) { Identity oid = getIdentityFromResultSet ( ) ; return getBroker ( ) . getObjectByIdentity ( oid ) ; } }
returns a proxy or a fully materialized Object from the current row of the underlying resultset .
137
20
956
public void createInsertionSql ( Database model , Platform platform , Writer writer ) throws IOException { for ( Iterator it = _beans . iterator ( ) ; it . hasNext ( ) ; ) { writer . write ( platform . getInsertSql ( model , ( DynaBean ) it . next ( ) ) ) ; if ( it . hasNext ( ) ) { writer . write ( "\n" ) ; } } }
Generates and writes the sql for inserting the currently contained data objects .
92
14
957
public void insert ( Platform platform , Database model , int batchSize ) throws SQLException { if ( batchSize <= 1 ) { for ( Iterator it = _beans . iterator ( ) ; it . hasNext ( ) ; ) { platform . insert ( model , ( DynaBean ) it . next ( ) ) ; } } else { for ( int startIdx = 0 ; startIdx < _beans . size ( ) ; startIdx += batchSize ) { platform . insert ( model , _beans . subList ( startIdx , startIdx + batchSize ) ) ; } } }
Inserts the currently contained data objects into the database .
129
11
958
private InputStream connect ( String url ) throws IOException { URLConnection conn = new URL ( URL_BASE + url ) . openConnection ( ) ; conn . setConnectTimeout ( CONNECT_TIMEOUT ) ; conn . setReadTimeout ( READ_TIMEOUT ) ; conn . setRequestProperty ( "User-Agent" , USER_AGENT ) ; return conn . getInputStream ( ) ; }
Open the connection to the server .
86
7
959
public synchronized void abortTransaction ( ) throws TransactionNotInProgressException { if ( isInTransaction ( ) ) { fireBrokerEvent ( BEFORE_ROLLBACK_EVENT ) ; setInTransaction ( false ) ; clearRegistrationLists ( ) ; referencesBroker . removePrefetchingListeners ( ) ; /* arminw: check if we in local tx, before do local rollback Necessary, because ConnectionManager may do a rollback by itself or in managed environments the used connection is already be closed */ if ( connectionManager . isInLocalTransaction ( ) ) this . connectionManager . localRollback ( ) ; fireBrokerEvent ( AFTER_ROLLBACK_EVENT ) ; } }
Abort and close the transaction . Calling abort abandons all persistent object modifications and releases the associated locks . If transaction is not in progress a TransactionNotInProgressException is thrown
148
36
960
public void delete ( Object obj , boolean ignoreReferences ) throws PersistenceBrokerException { if ( isTxCheck ( ) && ! isInTransaction ( ) ) { if ( logger . isEnabledFor ( Logger . ERROR ) ) { String msg = "No running PB-tx found. Please, only delete objects in context of a PB-transaction" + " to avoid side-effects - e.g. when rollback of complex objects." ; try { throw new Exception ( "** Delete object without active PersistenceBroker transaction **" ) ; } catch ( Exception e ) { logger . error ( msg , e ) ; } } } try { doDelete ( obj , ignoreReferences ) ; } finally { markedForDelete . clear ( ) ; } }
Deletes the concrete representation of the specified object in the underlying persistence system . This method is intended for use in top - level api or by internal calls .
157
31
961
private void doDelete ( Object obj , boolean ignoreReferences ) throws PersistenceBrokerException { //logger.info("DELETING " + obj); // object is not null if ( obj != null ) { obj = getProxyFactory ( ) . getRealObject ( obj ) ; /** * Kuali Foundation modification -- 8/24/2007 */ if ( obj == null ) return ; /** * End of Kuali Foundation modification */ /** * MBAIRD * 1. if we are marked for delete already, avoid recursing on this object * * arminw: * use object instead Identity object in markedForDelete List, * because using objects we get a better performance. I can't find * side-effects in doing so. */ if ( markedForDelete . contains ( obj ) ) { return ; } ClassDescriptor cld = getClassDescriptor ( obj . getClass ( ) ) ; //BRJ: check for valid pk if ( ! serviceBrokerHelper ( ) . assertValidPkForDelete ( cld , obj ) ) { String msg = "Cannot delete object without valid PKs. " + obj ; logger . error ( msg ) ; return ; } /** * MBAIRD * 2. register object in markedForDelete map. */ markedForDelete . add ( obj ) ; Identity oid = serviceIdentity ( ) . buildIdentity ( cld , obj ) ; // Invoke events on PersistenceBrokerAware instances and listeners BEFORE_DELETE_EVENT . setTarget ( obj ) ; fireBrokerEvent ( BEFORE_DELETE_EVENT ) ; BEFORE_DELETE_EVENT . setTarget ( null ) ; // now perform deletion performDeletion ( cld , obj , oid , ignoreReferences ) ; // Invoke events on PersistenceBrokerAware instances and listeners AFTER_DELETE_EVENT . setTarget ( obj ) ; fireBrokerEvent ( AFTER_DELETE_EVENT ) ; AFTER_DELETE_EVENT . setTarget ( null ) ; // let the connection manager to execute batch connectionManager . executeBatchIfNecessary ( ) ; } }
do delete given object . Should be used by all intern classes to delete objects .
458
16
962
private void deleteByQuery ( Query query , ClassDescriptor cld ) throws PersistenceBrokerException { if ( logger . isDebugEnabled ( ) ) { logger . debug ( "deleteByQuery " + cld . getClassNameOfObject ( ) + ", " + query ) ; } if ( query instanceof QueryBySQL ) { String sql = ( ( QueryBySQL ) query ) . getSql ( ) ; this . dbAccess . executeUpdateSQL ( sql , cld ) ; } else { // if query is Identity based transform it to a criteria based query first if ( query instanceof QueryByIdentity ) { QueryByIdentity qbi = ( QueryByIdentity ) query ; Object oid = qbi . getExampleObject ( ) ; // make sure it's an Identity if ( ! ( oid instanceof Identity ) ) { oid = serviceIdentity ( ) . buildIdentity ( oid ) ; } query = referencesBroker . getPKQuery ( ( Identity ) oid ) ; } if ( ! cld . isInterface ( ) ) { this . dbAccess . executeDelete ( query , cld ) ; } // if class is an extent, we have to delete all extent classes too String lastUsedTable = cld . getFullTableName ( ) ; if ( cld . isExtent ( ) ) { Iterator extents = getDescriptorRepository ( ) . getAllConcreteSubclassDescriptors ( cld ) . iterator ( ) ; while ( extents . hasNext ( ) ) { ClassDescriptor extCld = ( ClassDescriptor ) extents . next ( ) ; // read same table only once if ( ! extCld . getFullTableName ( ) . equals ( lastUsedTable ) ) { lastUsedTable = extCld . getFullTableName ( ) ; this . dbAccess . executeDelete ( query , extCld ) ; } } } } }
Extent aware Delete by Query
409
6
963
public void store ( Object obj ) throws PersistenceBrokerException { obj = extractObjectToStore ( obj ) ; // only do something if obj != null if ( obj == null ) return ; ClassDescriptor cld = getClassDescriptor ( obj . getClass ( ) ) ; /* if one of the PK fields was null, we assume the objects was new and needs insert */ boolean insert = serviceBrokerHelper ( ) . hasNullPKField ( cld , obj ) ; Identity oid = serviceIdentity ( ) . buildIdentity ( cld , obj ) ; /* if PK values are set, lookup cache or db to see whether object needs insert or update */ if ( ! insert ) { insert = objectCache . lookup ( oid ) == null && ! serviceBrokerHelper ( ) . doesExist ( cld , oid , obj ) ; } store ( obj , oid , cld , insert ) ; }
Store an Object .
197
4
964
protected void store ( Object obj , Identity oid , ClassDescriptor cld , boolean insert ) { store ( obj , oid , cld , insert , false ) ; }
Internal used method which start the real store work .
38
10
965
public void link ( Object targetObject , ClassDescriptor cld , ObjectReferenceDescriptor rds , Object referencedObject , boolean insert ) { // MBAIRD: we have 'disassociated' this object from the referenced object, // the object represented by the reference descriptor is now null, so set // the fk in the target object to null. // arminw: if an insert was done and ref object was null, we should allow // to pass FK fields of main object (maybe only the FK fields are set) if ( referencedObject == null ) { /* arminw: if update we set FK fields to 'null', because reference was disassociated We do nothing on insert, maybe only the FK fields of main object (without materialization of the reference object) are set by the user */ if ( ! insert ) { unlinkFK ( targetObject , cld , rds ) ; } } else { setFKField ( targetObject , cld , rds , referencedObject ) ; } }
Assign FK value to target object by reading PK values of referenced object .
213
16
966
public void unlinkFK ( Object targetObject , ClassDescriptor cld , ObjectReferenceDescriptor rds ) { setFKField ( targetObject , cld , rds , null ) ; }
Unkink FK fields of target object .
43
10
967
public void linkOneToOne ( Object obj , ClassDescriptor cld , ObjectReferenceDescriptor rds , boolean insert ) { storeAndLinkOneToOne ( true , obj , cld , rds , true ) ; }
Assign FK value of main object with PK values of the reference object .
50
16
968
public void linkOneToMany ( Object obj , CollectionDescriptor cod , boolean insert ) { Object referencedObjects = cod . getPersistentField ( ) . get ( obj ) ; storeAndLinkOneToMany ( true , obj , cod , referencedObjects , insert ) ; }
Assign FK value to all n - side objects referenced by given object .
60
16
969
public void linkMtoN ( Object obj , CollectionDescriptor cod , boolean insert ) { Object referencedObjects = cod . getPersistentField ( ) . get ( obj ) ; storeAndLinkMtoN ( true , obj , cod , referencedObjects , insert ) ; }
Assign FK values and store entries in indirection table for all objects referenced by given object .
60
20
970
public void retrieveReference ( Object pInstance , String pAttributeName ) throws PersistenceBrokerException { if ( logger . isDebugEnabled ( ) ) { logger . debug ( "Retrieving reference named [" + pAttributeName + "] on object of type [" + pInstance . getClass ( ) . getName ( ) + "]" ) ; } ClassDescriptor cld = getClassDescriptor ( pInstance . getClass ( ) ) ; CollectionDescriptor cod = cld . getCollectionDescriptorByName ( pAttributeName ) ; getInternalCache ( ) . enableMaterializationCache ( ) ; // to avoid problems with circular references, locally cache the current object instance Identity oid = serviceIdentity ( ) . buildIdentity ( pInstance ) ; boolean needLocalRemove = false ; if ( getInternalCache ( ) . doLocalLookup ( oid ) == null ) { getInternalCache ( ) . doInternalCache ( oid , pInstance , MaterializationCache . TYPE_TEMP ) ; needLocalRemove = true ; } try { if ( cod != null ) { referencesBroker . retrieveCollection ( pInstance , cld , cod , true ) ; } else { ObjectReferenceDescriptor ord = cld . getObjectReferenceDescriptorByName ( pAttributeName ) ; if ( ord != null ) { referencesBroker . retrieveReference ( pInstance , cld , ord , true ) ; } else { throw new PersistenceBrokerException ( "did not find attribute " + pAttributeName + " for class " + pInstance . getClass ( ) . getName ( ) ) ; } } // do locally remove the object to avoid problems with object state detection (insert/update), // because objects found in the cache detected as 'old' means 'update' if ( needLocalRemove ) getInternalCache ( ) . doLocalRemove ( oid ) ; getInternalCache ( ) . disableMaterializationCache ( ) ; } catch ( RuntimeException e ) { getInternalCache ( ) . doLocalClear ( ) ; throw e ; } }
retrieve a single reference - or collection attribute of a persistent instance .
436
14
971
public ManageableCollection getCollectionByQuery ( Class collectionClass , Query query ) throws PersistenceBrokerException { return referencesBroker . getCollectionByQuery ( collectionClass , query , false ) ; }
retrieve a collection of type collectionClass matching the Query query
43
12
972
protected OJBIterator getIteratorFromQuery ( Query query , ClassDescriptor cld ) throws PersistenceBrokerException { RsIteratorFactory factory = RsIteratorFactoryImpl . getInstance ( ) ; OJBIterator result = getRsIteratorFromQuery ( query , cld , factory ) ; if ( query . usePaging ( ) ) { result = new PagingIterator ( result , query . getStartAtIndex ( ) , query . getEndAtIndex ( ) ) ; } return result ; }
Get an extent aware Iterator based on the Query
108
10
973
public Object doGetObjectByIdentity ( Identity id ) throws PersistenceBrokerException { if ( logger . isDebugEnabled ( ) ) logger . debug ( "getObjectByIdentity " + id ) ; // check if object is present in ObjectCache: Object obj = objectCache . lookup ( id ) ; // only perform a db lookup if necessary (object not cached yet) if ( obj == null ) { obj = getDBObject ( id ) ; } else { ClassDescriptor cld = getClassDescriptor ( obj . getClass ( ) ) ; // if specified in the ClassDescriptor the instance must be refreshed if ( cld . isAlwaysRefresh ( ) ) { refreshInstance ( obj , id , cld ) ; } // now refresh all references checkRefreshRelationships ( obj , id , cld ) ; } // Invoke events on PersistenceBrokerAware instances and listeners AFTER_LOOKUP_EVENT . setTarget ( obj ) ; fireBrokerEvent ( AFTER_LOOKUP_EVENT ) ; AFTER_LOOKUP_EVENT . setTarget ( null ) ; //logger.info("RETRIEVING object " + obj); return obj ; }
Internal used method to retrieve object based on Identity .
255
10
974
private void refreshInstance ( Object cachedInstance , Identity oid , ClassDescriptor cld ) { // read in fresh copy from the db, but do not cache it Object freshInstance = getPlainDBObject ( cld , oid ) ; // update all primitive typed attributes FieldDescriptor [ ] fields = cld . getFieldDescriptions ( ) ; FieldDescriptor fmd ; PersistentField fld ; for ( int i = 0 ; i < fields . length ; i ++ ) { fmd = fields [ i ] ; fld = fmd . getPersistentField ( ) ; fld . set ( cachedInstance , fld . get ( freshInstance ) ) ; } }
refresh all primitive typed attributes of a cached instance with the current values from the database . refreshing of reference and collection attributes is not done here .
148
29
975
public Object getObjectByQuery ( Query query ) throws PersistenceBrokerException { Object result = null ; if ( query instanceof QueryByIdentity ) { // example obj may be an entity or an Identity Object obj = query . getExampleObject ( ) ; if ( obj instanceof Identity ) { Identity oid = ( Identity ) obj ; result = getObjectByIdentity ( oid ) ; } else { // TODO: This workaround doesn't allow 'null' for PK fields if ( ! serviceBrokerHelper ( ) . hasNullPKField ( getClassDescriptor ( obj . getClass ( ) ) , obj ) ) { Identity oid = serviceIdentity ( ) . buildIdentity ( obj ) ; result = getObjectByIdentity ( oid ) ; } } } else { Class itemClass = query . getSearchClass ( ) ; ClassDescriptor cld = getClassDescriptor ( itemClass ) ; /* use OJB intern Iterator, thus we are able to close used resources instantly */ OJBIterator it = getIteratorFromQuery ( query , cld ) ; /* arminw: patch by Andre Clute, instead of taking the first found result try to get the first found none null result. He wrote: I have a situation where an item with a certain criteria is in my database twice -- once deleted, and then a non-deleted version of it. When I do a PB.getObjectByQuery(), the RsIterator get's both results from the database, but the first row is the deleted row, so my RowReader filters it out, and do not get the right result. */ try { while ( result == null && it . hasNext ( ) ) { result = it . next ( ) ; } } // make sure that we close the used resources finally { if ( it != null ) it . releaseDbResources ( ) ; } } return result ; }
retrieve an Object by query I . e perform a SELECT ... FROM ... WHERE ... in an RDBMS
397
22
976
public Enumeration getPKEnumerationByQuery ( Class primaryKeyClass , Query query ) throws PersistenceBrokerException { if ( logger . isDebugEnabled ( ) ) logger . debug ( "getPKEnumerationByQuery " + query ) ; query . setFetchSize ( 1 ) ; ClassDescriptor cld = getClassDescriptor ( query . getSearchClass ( ) ) ; return new PkEnumeration ( query , cld , primaryKeyClass , this ) ; }
returns an Enumeration of PrimaryKey Objects for objects of class DataClass . The Elements returned come from a SELECT ... WHERE Statement that is defined by the fields and their coresponding values of listFields and listValues . Useful for EJB Finder Methods ...
107
54
977
public void store ( Object obj , ObjectModification mod ) throws PersistenceBrokerException { obj = extractObjectToStore ( obj ) ; // null for unmaterialized Proxy if ( obj == null ) { return ; } ClassDescriptor cld = getClassDescriptor ( obj . getClass ( ) ) ; // this call ensures that all autoincremented primary key attributes are filled Identity oid = serviceIdentity ( ) . buildIdentity ( cld , obj ) ; // select flag for insert / update selection by checking the ObjectModification if ( mod . needsInsert ( ) ) { store ( obj , oid , cld , true ) ; } else if ( mod . needsUpdate ( ) ) { store ( obj , oid , cld , false ) ; } /* arminw TODO: Why we need this behaviour? What about 1:1 relations? */ else { // just store 1:n and m:n associations storeCollections ( obj , cld , mod . needsInsert ( ) ) ; } }
Makes object obj persistent in the underlying persistence system . E . G . by INSERT INTO ... or UPDATE ... in an RDBMS . The ObjectModification parameter can be used to determine whether INSERT or update is to be used . This functionality is typically called from transaction managers that track which objects have to be stored . If the object is an unmaterialized proxy the method return immediately .
217
80
978
private void storeToDb ( Object obj , ClassDescriptor cld , Identity oid , boolean insert , boolean ignoreReferences ) { // 1. link and store 1:1 references storeReferences ( obj , cld , insert , ignoreReferences ) ; Object [ ] pkValues = oid . getPrimaryKeyValues ( ) ; if ( ! serviceBrokerHelper ( ) . assertValidPksForStore ( cld . getPkFields ( ) , pkValues ) ) { // BRJ: fk values may be part of pk, but the are not known during // creation of Identity. so we have to get them here pkValues = serviceBrokerHelper ( ) . getKeyValues ( cld , obj ) ; if ( ! serviceBrokerHelper ( ) . assertValidPksForStore ( cld . getPkFields ( ) , pkValues ) ) { String append = insert ? " on insert" : " on update" ; throw new PersistenceBrokerException ( "assertValidPkFields failed for Object of type: " + cld . getClassNameOfObject ( ) + append ) ; } } // get super class cld then store it with the object /* now for multiple table inheritance 1. store super classes, topmost parent first 2. go down through heirarchy until current class 3. todo: store to full extent? // arminw: TODO: The extend-attribute feature dosn't work, should we remove this stuff? This if-clause will go up the inheritance heirarchy to store all the super classes. The id for the top most super class will be the id for all the subclasses too */ if ( cld . getSuperClass ( ) != null ) { ClassDescriptor superCld = getDescriptorRepository ( ) . getDescriptorFor ( cld . getSuperClass ( ) ) ; storeToDb ( obj , superCld , oid , insert ) ; // arminw: why this?? I comment out this section // storeCollections(obj, cld.getCollectionDescriptors(), insert); } // 2. store primitive typed attributes (Or is THIS step 3 ?) // if obj not present in db use INSERT if ( insert ) { dbAccess . executeInsert ( cld , obj ) ; if ( oid . isTransient ( ) ) { // Create a new Identity based on the current set of primary key values. oid = serviceIdentity ( ) . buildIdentity ( cld , obj ) ; } } // else use UPDATE else { try { dbAccess . executeUpdate ( cld , obj ) ; } catch ( OptimisticLockException e ) { // ensure that the outdated object be removed from cache objectCache . remove ( oid ) ; throw e ; } } // cache object for symmetry with getObjectByXXX() // Add the object to the cache. objectCache . doInternalCache ( oid , obj , ObjectCacheInternal . TYPE_WRITE ) ; // 3. store 1:n and m:n associations if ( ! ignoreReferences ) storeCollections ( obj , cld , insert ) ; }
I pulled this out of internal store so that when doing multiple table inheritance i can recurse this function .
664
21
979
public Iterator getReportQueryIteratorByQuery ( Query query ) throws PersistenceBrokerException { ClassDescriptor cld = getClassDescriptor ( query . getSearchClass ( ) ) ; return getReportQueryIteratorFromQuery ( query , cld ) ; }
Get an Iterator based on the ReportQuery
57
9
980
private OJBIterator getRsIteratorFromQuery ( Query query , ClassDescriptor cld , RsIteratorFactory factory ) throws PersistenceBrokerException { query . setFetchSize ( 1 ) ; if ( query instanceof QueryBySQL ) { if ( logger . isDebugEnabled ( ) ) logger . debug ( "Creating SQL-RsIterator for class [" + cld . getClassNameOfObject ( ) + "]" ) ; return factory . createRsIterator ( ( QueryBySQL ) query , cld , this ) ; } if ( ! cld . isExtent ( ) || ! query . getWithExtents ( ) ) { // no extents just use the plain vanilla RsIterator if ( logger . isDebugEnabled ( ) ) logger . debug ( "Creating RsIterator for class [" + cld . getClassNameOfObject ( ) + "]" ) ; return factory . createRsIterator ( query , cld , this ) ; } if ( logger . isDebugEnabled ( ) ) logger . debug ( "Creating ChainingIterator for class [" + cld . getClassNameOfObject ( ) + "]" ) ; ChainingIterator chainingIter = new ChainingIterator ( ) ; // BRJ: add base class iterator if ( ! cld . isInterface ( ) ) { if ( logger . isDebugEnabled ( ) ) logger . debug ( "Adding RsIterator for class [" + cld . getClassNameOfObject ( ) + "] to ChainingIterator" ) ; chainingIter . addIterator ( factory . createRsIterator ( query , cld , this ) ) ; } Iterator extents = getDescriptorRepository ( ) . getAllConcreteSubclassDescriptors ( cld ) . iterator ( ) ; while ( extents . hasNext ( ) ) { ClassDescriptor extCld = ( ClassDescriptor ) extents . next ( ) ; // read same table only once if ( chainingIter . containsIteratorForTable ( extCld . getFullTableName ( ) ) ) { if ( logger . isDebugEnabled ( ) ) logger . debug ( "Skipping class [" + extCld . getClassNameOfObject ( ) + "]" ) ; } else { if ( logger . isDebugEnabled ( ) ) logger . debug ( "Adding RsIterator of class [" + extCld . getClassNameOfObject ( ) + "] to ChainingIterator" ) ; // add the iterator to the chaining iterator. chainingIter . addIterator ( factory . createRsIterator ( query , extCld , this ) ) ; } } return chainingIter ; }
Get an extent aware RsIterator based on the Query
556
10
981
private OJBIterator getReportQueryIteratorFromQuery ( Query query , ClassDescriptor cld ) throws PersistenceBrokerException { RsIteratorFactory factory = ReportRsIteratorFactoryImpl . getInstance ( ) ; OJBIterator result = getRsIteratorFromQuery ( query , cld , factory ) ; if ( query . usePaging ( ) ) { result = new PagingIterator ( result , query . getStartAtIndex ( ) , query . getEndAtIndex ( ) ) ; } return result ; }
Get an extent aware Iterator based on the ReportQuery
111
11
982
public static String getModuleName ( final String moduleId ) { final int splitter = moduleId . indexOf ( ' ' ) ; if ( splitter == - 1 ) { return moduleId ; } return moduleId . substring ( 0 , splitter ) ; }
Split a module Id to get the module name
56
9
983
public static String getModuleVersion ( final String moduleId ) { final int splitter = moduleId . lastIndexOf ( ' ' ) ; if ( splitter == - 1 ) { return moduleId ; } return moduleId . substring ( splitter + 1 ) ; }
Split a module Id to get the module version
57
9
984
public static String getGroupId ( final String gavc ) { final int splitter = gavc . indexOf ( ' ' ) ; if ( splitter == - 1 ) { return gavc ; } return gavc . substring ( 0 , splitter ) ; }
Split an artifact gavc to get the groupId
60
11
985
public static List < DbModule > getAllSubmodules ( final DbModule module ) { final List < DbModule > submodules = new ArrayList < DbModule > ( ) ; submodules . addAll ( module . getSubmodules ( ) ) ; for ( final DbModule submodule : module . getSubmodules ( ) ) { submodules . addAll ( getAllSubmodules ( submodule ) ) ; } return submodules ; }
Return the list of all the module submodules
96
9
986
public void init ( final MultivaluedMap < String , String > queryParameters ) { final String scopeCompileParam = queryParameters . getFirst ( ServerAPI . SCOPE_COMPILE_PARAM ) ; if ( scopeCompileParam != null ) { this . scopeComp = Boolean . valueOf ( scopeCompileParam ) ; } final String scopeProvidedParam = queryParameters . getFirst ( ServerAPI . SCOPE_PROVIDED_PARAM ) ; if ( scopeProvidedParam != null ) { this . scopePro = Boolean . valueOf ( scopeProvidedParam ) ; } final String scopeRuntimeParam = queryParameters . getFirst ( ServerAPI . SCOPE_RUNTIME_PARAM ) ; if ( scopeRuntimeParam != null ) { this . scopeRun = Boolean . valueOf ( scopeRuntimeParam ) ; } final String scopeTestParam = queryParameters . getFirst ( ServerAPI . SCOPE_TEST_PARAM ) ; if ( scopeTestParam != null ) { this . scopeTest = Boolean . valueOf ( scopeTestParam ) ; } }
The parameter must never be null
228
6
987
private PersistenceBroker obtainBroker ( ) { PersistenceBroker _broker ; try { if ( pbKey == null ) { //throw new OJBRuntimeException("Not possible to do action, cause no tx runnning and no PBKey is set"); log . warn ( "No tx runnning and PBKey is null, try to use the default PB" ) ; _broker = PersistenceBrokerFactory . defaultPersistenceBroker ( ) ; } else { _broker = PersistenceBrokerFactory . createPersistenceBroker ( pbKey ) ; } } catch ( PBFactoryException e ) { log . error ( "Could not obtain PB for PBKey " + pbKey , e ) ; throw new OJBRuntimeException ( "Unexpected micro-kernel exception" , e ) ; } return _broker ; }
Used to get PB when no tx is running .
181
10
988
private void addSequence ( String sequenceName , HighLowSequence seq ) { // lookup the sequence map for calling DB String jcdAlias = getBrokerForClass ( ) . serviceConnectionManager ( ) . getConnectionDescriptor ( ) . getJcdAlias ( ) ; Map mapForDB = ( Map ) sequencesDBMap . get ( jcdAlias ) ; if ( mapForDB == null ) { mapForDB = new HashMap ( ) ; } mapForDB . put ( sequenceName , seq ) ; sequencesDBMap . put ( jcdAlias , mapForDB ) ; }
Put new sequence object for given sequence name .
126
9
989
protected void removeSequence ( String sequenceName ) { // lookup the sequence map for calling DB Map mapForDB = ( Map ) sequencesDBMap . get ( getBrokerForClass ( ) . serviceConnectionManager ( ) . getConnectionDescriptor ( ) . getJcdAlias ( ) ) ; if ( mapForDB != null ) { synchronized ( SequenceManagerHighLowImpl . class ) { mapForDB . remove ( sequenceName ) ; } } }
Remove the sequence for given sequence name .
96
8
990
public PBKey getPBKey ( ) { if ( pbKey == null ) { this . pbKey = new PBKey ( this . getJcdAlias ( ) , this . getUserName ( ) , this . getPassWord ( ) ) ; } return pbKey ; }
Return a key to identify the connection descriptor .
61
9
991
public void setJdbcLevel ( String jdbcLevel ) { if ( jdbcLevel != null ) { try { double intLevel = Double . parseDouble ( jdbcLevel ) ; setJdbcLevel ( intLevel ) ; } catch ( NumberFormatException nfe ) { setJdbcLevel ( 2.0 ) ; logger . info ( "Specified JDBC level was not numeric (Value=" + jdbcLevel + "), used default jdbc level of 2.0 " ) ; } } else { setJdbcLevel ( 2.0 ) ; logger . info ( "Specified JDBC level was null, used default jdbc level of 2.0 " ) ; } }
Sets the jdbcLevel . parse the string setting and check that it is indeed an integer .
153
21
992
public synchronized boolean checkWrite ( TransactionImpl tx , Object obj ) { if ( log . isDebugEnabled ( ) ) log . debug ( "LM.checkWrite(tx-" + tx . getGUID ( ) + ", " + new Identity ( obj , tx . getBroker ( ) ) . toString ( ) + ")" ) ; LockStrategy lockStrategy = LockStrategyFactory . getStrategyFor ( obj ) ; return lockStrategy . checkWrite ( tx , obj ) ; }
checks if there is a writelock for transaction tx on object obj . Returns true if so else false .
105
22
993
public void checkpoint ( ObjectEnvelope mod ) throws org . apache . ojb . broker . PersistenceBrokerException { mod . doDelete ( ) ; mod . setModificationState ( StateTransient . getInstance ( ) ) ; }
rollback the transaction
53
4
994
public void checkpoint ( ObjectEnvelope mod ) throws PersistenceBrokerException { mod . doInsert ( ) ; mod . setModificationState ( StateOldClean . getInstance ( ) ) ; }
checkpoint the ObjectModification
42
6
995
public List < String > getModuleVersions ( final String name , final FiltersHolder filters ) { final List < String > versions = repositoryHandler . getModuleVersions ( name , filters ) ; if ( versions . isEmpty ( ) ) { throw new WebApplicationException ( Response . status ( Response . Status . NOT_FOUND ) . entity ( "Module " + name + " does not exist." ) . build ( ) ) ; } return versions ; }
Returns the available module names regarding the filters
95
8
996
public DbModule getModule ( final String moduleId ) { final DbModule dbModule = repositoryHandler . getModule ( moduleId ) ; if ( dbModule == null ) { throw new WebApplicationException ( Response . status ( Response . Status . NOT_FOUND ) . entity ( "Module " + moduleId + " does not exist." ) . build ( ) ) ; } return dbModule ; }
Returns a module
85
3
997
public void deleteModule ( final String moduleId ) { final DbModule module = getModule ( moduleId ) ; repositoryHandler . deleteModule ( module . getId ( ) ) ; for ( final String gavc : DataUtils . getAllArtifacts ( module ) ) { repositoryHandler . deleteArtifact ( gavc ) ; } }
Delete a module
73
3
998
public List < DbLicense > getModuleLicenses ( final String moduleId , final LicenseMatcher licenseMatcher ) { final DbModule module = getModule ( moduleId ) ; final List < DbLicense > licenses = new ArrayList <> ( ) ; final FiltersHolder filters = new FiltersHolder ( ) ; final ArtifactHandler artifactHandler = new ArtifactHandler ( repositoryHandler , licenseMatcher ) ; for ( final String gavc : DataUtils . getAllArtifacts ( module ) ) { licenses . addAll ( artifactHandler . getArtifactLicenses ( gavc , filters ) ) ; } return licenses ; }
Return a licenses view of the targeted module
137
8
999
public void promoteModule ( final String moduleId ) { final DbModule module = getModule ( moduleId ) ; for ( final String gavc : DataUtils . getAllArtifacts ( module ) ) { final DbArtifact artifact = repositoryHandler . getArtifact ( gavc ) ; artifact . setPromoted ( true ) ; repositoryHandler . store ( artifact ) ; } repositoryHandler . promoteModule ( module ) ; }
Perform the module promotion
92
5