idx int64 0 41.2k | question stringlengths 83 4.15k | target stringlengths 5 715 |
|---|---|---|
18,300 | public MethodCall with ( String name1 , Object arg1 , String name2 , Object arg2 , String name3 , Object arg3 , String name4 , Object arg4 ) { args . put ( name1 , arg1 ) ; if ( name2 != null ) { args . put ( name2 , arg2 ) ; if ( name3 != null ) { args . put ( name3 , arg3 ) ; if ( name4 != null ) { args . put ( name4 , arg4 ) ; } } } return this ; } | Add four arguments . |
18,301 | public static < K , V > Function < K , V > forMap ( final Map < K , ? extends V > map , final V defaultValue ) { return new Function < K , V > ( ) { public V apply ( K key ) { V value = map . get ( key ) ; return ( value != null || map . containsKey ( key ) ) ? value : defaultValue ; } } ; } | Returns a function which performs a map lookup with a default value . The function created by this method returns defaultValue for all inputs that do not belong to the map s key set . |
18,302 | public static < T > Function < T , Boolean > forPredicate ( final Predicate < T > predicate ) { return new Function < T , Boolean > ( ) { public Boolean apply ( T arg ) { return predicate . apply ( arg ) ; } } ; } | Returns a function that returns the same boolean output as the given predicate for all inputs . |
18,303 | public static Set < String > getOvercastPropertyNames ( final String path ) { Config overcastConfig = getOvercastConfig ( ) ; if ( ! overcastConfig . hasPath ( path ) ) { return new HashSet < > ( ) ; } Config cfg = overcastConfig . getConfig ( path ) ; Set < String > result = new HashSet < > ( ) ; for ( Map . Entry < String , ConfigValue > e : cfg . entrySet ( ) ) { result . add ( ConfigUtil . splitPath ( e . getKey ( ) ) . get ( 0 ) ) ; } return result ; } | Get set of property names directly below path . |
18,304 | public static int getScrollIntoView ( Widget target ) { int top = Window . getScrollTop ( ) , height = Window . getClientHeight ( ) ; int ttop = target . getAbsoluteTop ( ) , theight = target . getOffsetHeight ( ) ; if ( theight > height || ttop < top ) { return ttop ; } else if ( ttop + theight > top + height ) { return ttop - ( height - theight ) ; } else { return top ; } } | Returns the vertical scroll position needed to place the specified target widget in view while trying to minimize scrolling . |
18,305 | public static int getScrollToMiddle ( Widget target ) { int wheight = Window . getClientHeight ( ) , theight = target . getOffsetHeight ( ) ; int ttop = target . getAbsoluteTop ( ) ; return Math . max ( ttop , ttop + ( wheight - theight ) ) ; } | Returns the vertical scroll position needed to center the target widget vertically in the browser viewport . If the widget is taller than the viewport its top is returned . |
18,306 | public static boolean isScrolledIntoView ( Widget target , int minPixels ) { int wtop = Window . getScrollTop ( ) , wheight = Window . getClientHeight ( ) ; int ttop = target . getAbsoluteTop ( ) ; if ( ttop > wtop ) { return ( wtop + wheight - ttop > minPixels ) ; } else { return ( ttop + target . getOffsetHeight ( ) - wtop > minPixels ) ; } } | Returns true if the target widget is vertically scrolled into view . |
18,307 | public static MetricAggregate fromMetricIdentity ( final MetricIdentity identity , final long currentMinute ) { Preconditions . checkNotNull ( identity ) ; return new MetricAggregate ( identity , currentMinute ) ; } | Creates a MetricAggregate |
18,308 | public static void log ( String message , Object ... args ) { StringBuilder sb = new StringBuilder ( ) ; sb . append ( message ) ; if ( args . length > 1 ) { sb . append ( " [" ) ; for ( int ii = 0 , ll = args . length / 2 ; ii < ll ; ii ++ ) { if ( ii > 0 ) { sb . append ( ", " ) ; } sb . append ( args [ 2 * ii ] ) . append ( "=" ) . append ( args [ 2 * ii + 1 ] ) ; } sb . append ( "]" ) ; } Object error = ( args . length % 2 == 1 ) ? args [ args . length - 1 ] : null ; if ( GWT . isScript ( ) ) { if ( error != null ) { sb . append ( ": " ) . append ( error ) ; } firebugLog ( sb . toString ( ) , error ) ; } else { GWT . log ( sb . toString ( ) , ( Throwable ) error ) ; } } | Formats and logs a message . If we are running in HostedMode the log message will be reported to its console . If we re running in Firefox the log message will be sent to Firebug if it is enabled . |
18,309 | public static void main ( String [ ] args ) { if ( args . length <= 1 ) { System . err . println ( "Usage: I18nSyncTask rootDir rootDir/com/mypackage/Foo.properties " + "[.../Bar.properties ...]" ) ; System . exit ( 255 ) ; } File rootDir = new File ( args [ 0 ] ) ; if ( ! rootDir . isDirectory ( ) ) { System . err . println ( "Invalid root directory: " + rootDir ) ; System . exit ( 255 ) ; } I18nSync tool = new I18nSync ( ) ; boolean errors = false ; for ( int ii = 1 ; ii < args . length ; ii ++ ) { try { tool . process ( rootDir , new File ( args [ ii ] ) ) ; } catch ( IOException ioe ) { System . err . println ( "Error processing '" + args [ ii ] + "': " + ioe ) ; errors = true ; } } System . exit ( errors ? 255 : 0 ) ; } | Entry point for command line tool . |
18,310 | public static < T , P > AsyncCallback < T > map ( AsyncCallback < P > target , final Function < T , P > f ) { return new ChainedCallback < T , P > ( target ) { public void onSuccess ( T result ) { forwardSuccess ( f . apply ( result ) ) ; } } ; } | Creates a chained callback that maps the result using the supplied function and passes the mapped result to the target callback . |
18,311 | public static < T > AsyncCallback < T > before ( AsyncCallback < T > target , final Function < T , Void > preOp ) { return new ChainedCallback < T , T > ( target ) { public void onSuccess ( T result ) { preOp . apply ( result ) ; forwardSuccess ( result ) ; } } ; } | Creates a chained callback that calls the supplied pre - operation before passing the result on to the supplied target callback . |
18,312 | public static < T > AsyncCallback < T > disabler ( AsyncCallback < T > callback , final HasEnabled ... disablees ) { for ( HasEnabled widget : disablees ) { widget . setEnabled ( false ) ; } return new ChainedCallback < T , T > ( callback ) { public void onSuccess ( T result ) { for ( HasEnabled widget : disablees ) { widget . setEnabled ( true ) ; } forwardSuccess ( result ) ; } public void onFailure ( Throwable cause ) { for ( HasEnabled widget : disablees ) { widget . setEnabled ( true ) ; } super . onFailure ( cause ) ; } } ; } | Immediately disables the specified widgets and wraps the supplied callback in one that will reenable those widgets when the callback returns successfully or with failure . |
18,313 | @ SuppressWarnings ( "unchecked" ) protected final MODEL_ID tryConvertId ( Object id ) { try { return ( MODEL_ID ) getModelBeanDescriptor ( ) . convertId ( id ) ; } catch ( Exception e ) { throw new UnprocessableEntityException ( Messages . get ( "info.query.id.unprocessable.entity" ) , e ) ; } } | convert to id |
18,314 | protected boolean deleteMultipleModel ( Set < MODEL_ID > idCollection , boolean permanent ) throws Exception { if ( permanent ) { server . deleteAllPermanent ( modelType , idCollection ) ; } else { server . deleteAll ( modelType , idCollection ) ; } return permanent ; } | delete multiple Model |
18,315 | protected boolean deleteModel ( MODEL_ID id , boolean permanent ) throws Exception { if ( permanent ) { server . deletePermanent ( modelType , id ) ; } else { server . delete ( modelType , id ) ; } return permanent ; } | delete a model |
18,316 | public Response findByIds ( @ PathParam ( "ids" ) URI_ID id , @ PathParam ( "ids" ) final PathSegment ids , @ QueryParam ( "include_deleted" ) final boolean includeDeleted ) throws Exception { final Query < MODEL > query = server . find ( modelType ) ; final MODEL_ID firstId = tryConvertId ( ids . getPath ( ) ) ; Set < String > idSet = ids . getMatrixParameters ( ) . keySet ( ) ; final Set < MODEL_ID > idCollection = Sets . newLinkedHashSet ( ) ; idCollection . add ( firstId ) ; if ( ! idSet . isEmpty ( ) ) { idCollection . addAll ( Collections2 . transform ( idSet , this :: tryConvertId ) ) ; } matchedFindByIds ( firstId , idCollection , includeDeleted ) ; Object model ; if ( includeDeleted ) { query . setIncludeSoftDeletes ( ) ; } final TxRunnable configureQuery = t -> { configDefaultQuery ( query ) ; configFindByIdsQuery ( query , includeDeleted ) ; applyUriQuery ( query , false ) ; } ; if ( ! idSet . isEmpty ( ) ) { model = executeTx ( t -> { configureQuery . run ( t ) ; List < MODEL > m = query . where ( ) . idIn ( idCollection . toArray ( ) ) . findList ( ) ; return processFoundByIdsModelList ( m , includeDeleted ) ; } ) ; } else { model = executeTx ( t -> { configureQuery . run ( t ) ; MODEL m = query . setId ( firstId ) . findOne ( ) ; return processFoundByIdModel ( m , includeDeleted ) ; } ) ; } if ( isEmptyEntity ( model ) ) { throw new NotFoundException ( ) ; } return Response . ok ( model ) . build ( ) ; } | Find a model or model list given its Ids . |
18,317 | public Response fetchHistoryAsOf ( @ PathParam ( "id" ) URI_ID id , @ PathParam ( "asof" ) final Timestamp asOf ) throws Exception { final MODEL_ID mId = tryConvertId ( id ) ; matchedFetchHistoryAsOf ( mId , asOf ) ; final Query < MODEL > query = server . find ( modelType ) ; defaultFindOrderBy ( query ) ; Object entity = executeTx ( t -> { configDefaultQuery ( query ) ; configFetchHistoryAsOfQuery ( query , mId , asOf ) ; applyUriQuery ( query , false ) ; MODEL model = query . asOf ( asOf ) . setId ( mId ) . findOne ( ) ; return processFetchedHistoryAsOfModel ( mId , model , asOf ) ; } ) ; if ( isEmptyEntity ( entity ) ) { return Response . noContent ( ) . build ( ) ; } return Response . ok ( entity ) . build ( ) ; } | find history as of timestamp |
18,318 | public static String parseQueryFields ( UriInfo uriInfo ) { List < String > selectables = uriInfo . getQueryParameters ( ) . get ( EntityFieldsScopeResolver . FIELDS_PARAM_NAME ) ; StringBuilder builder = new StringBuilder ( ) ; if ( selectables != null ) { for ( int i = 0 ; i < selectables . size ( ) ; i ++ ) { String s = selectables . get ( i ) ; if ( StringUtils . isNotBlank ( s ) ) { if ( ! s . startsWith ( "(" ) ) { builder . append ( "(" ) ; } builder . append ( s ) ; if ( ! s . endsWith ( ")" ) ) { builder . append ( ")" ) ; } if ( i < selectables . size ( ) - 1 ) { builder . append ( ":" ) ; } } } } return builder . length ( ) == 0 ? null : builder . toString ( ) ; } | Parse and return a BeanPathProperties format from UriInfo |
18,319 | public void setSelectedValue ( E value ) { String valstr = value . toString ( ) ; for ( int ii = 0 ; ii < getItemCount ( ) ; ii ++ ) { if ( getValue ( ii ) . equals ( valstr ) ) { setSelectedIndex ( ii ) ; break ; } } } | Selects the specified value . |
18,320 | public E getSelectedEnum ( ) { int selidx = getSelectedIndex ( ) ; return ( selidx < 0 ) ? null : Enum . valueOf ( _eclass , getValue ( selidx ) ) ; } | Returns the currently selected value or null if no value is selected . |
18,321 | public boolean hasPath ( String path ) { Props props = pathMap . get ( path ) ; return props != null && ! props . isEmpty ( ) ; } | Return true if the path is defined and has properties . |
18,322 | public Set < String > getProperties ( String path ) { Props props = pathMap . get ( path ) ; return props == null ? null : props . getProperties ( ) ; } | Get the properties for a given path . |
18,323 | public void put ( String path , Set < String > properties ) { pathMap . put ( path , new Props ( this , null , path , properties ) ) ; } | Set the properties for a given path . |
18,324 | public void each ( Each < Props > each ) { for ( Map . Entry < String , Props > entry : pathMap . entrySet ( ) ) { Props props = entry . getValue ( ) ; each . execute ( props ) ; } } | Each these path properties as fetch paths to the query . |
18,325 | public void finished ( ) { final ScheduledFuture < ? > scheduled = nextCall . getAndSet ( null ) ; if ( scheduled != null ) { scheduled . cancel ( true ) ; } } | Must be called when the target completable finishes to clean up any potential scheduled _future_ events . |
18,326 | public static void bindEnabled ( Value < Boolean > value , final FocusWidget ... targets ) { value . addListenerAndTrigger ( new Value . Listener < Boolean > ( ) { public void valueChanged ( Boolean enabled ) { for ( FocusWidget target : targets ) { target . setEnabled ( enabled ) ; } } } ) ; } | Binds the enabledness state of the target widget to the supplied boolean value . |
18,327 | public static void bindVisible ( Value < Boolean > value , final Widget ... targets ) { value . addListenerAndTrigger ( new Value . Listener < Boolean > ( ) { public void valueChanged ( Boolean visible ) { for ( Widget target : targets ) { target . setVisible ( visible ) ; } } } ) ; } | Binds the visible state of the target widget to the supplied boolean value . |
18,328 | public static < T extends HasMouseOverHandlers & HasMouseOutHandlers > void bindHovered ( final Value < Boolean > value , T ... targets ) { HoverHandler handler = new HoverHandler ( value ) ; for ( T target : targets ) { target . addMouseOverHandler ( handler ) ; target . addMouseOutHandler ( handler ) ; } } | Binds the hovered state of the supplied target widgets to the supplied boolean value . The supplied value will be toggled to true when the mouse is hovering over any of the supplied targets and false otherwise . |
18,329 | public static void bindLabel ( final Value < String > value , final HasText target ) { value . addListenerAndTrigger ( new Value . Listener < String > ( ) { public void valueChanged ( String value ) { if ( ! target . getText ( ) . equals ( value ) ) { target . setText ( value ) ; } } } ) ; } | Binds the specified string value to the supplied text - having widget . The binding is one - way in that only changes to the value will be reflected in the text - having widget . It is expected that no other changes will be made to the widget . |
18,330 | public static ClickHandler makeToggler ( final Value < Boolean > value ) { Preconditions . checkNotNull ( value , "value" ) ; return new ClickHandler ( ) { public void onClick ( ClickEvent event ) { value . update ( ! value . get ( ) ) ; } } ; } | Returns a click handler that toggles the supplied boolean value when clicked . |
18,331 | public static void bindStateStyle ( Value < Boolean > value , final String onStyle , final String offStyle , final Widget ... targets ) { value . addListenerAndTrigger ( new Value . Listener < Boolean > ( ) { public void valueChanged ( Boolean value ) { String add , remove ; if ( value ) { remove = offStyle ; add = onStyle ; } else { remove = onStyle ; add = offStyle ; } for ( Widget target : targets ) { if ( remove != null ) { target . removeStyleName ( remove ) ; } if ( add != null ) { target . addStyleName ( add ) ; } } } } ) ; } | Configures either onStyle or offStyle on the supplied target widgets depending on the state of the supplied boolean value . |
18,332 | private List < MigrationInfo > resolved ( MigrationInfo [ ] migrationInfos ) { if ( migrationInfos . length == 0 ) throw new NotFoundException ( ) ; List < MigrationInfo > resolvedMigrations = Lists . newArrayList ( ) ; for ( MigrationInfo migrationInfo : migrationInfos ) { if ( migrationInfo . getState ( ) . isResolved ( ) ) { resolvedMigrations . add ( migrationInfo ) ; } } return resolvedMigrations ; } | Retrieves the full set of infos about the migrations resolved on the classpath . |
18,333 | private List < MigrationInfo > failed ( MigrationInfo [ ] migrationInfos ) { if ( migrationInfos . length == 0 ) throw new NotFoundException ( ) ; List < MigrationInfo > failedMigrations = Lists . newArrayList ( ) ; for ( MigrationInfo migrationInfo : migrationInfos ) { if ( migrationInfo . getState ( ) . isFailed ( ) ) { failedMigrations . add ( migrationInfo ) ; } } return failedMigrations ; } | Retrieves the full set of infos about the migrations that failed . |
18,334 | private List < MigrationInfo > future ( MigrationInfo [ ] migrationInfos ) { if ( migrationInfos . length == 0 ) throw new NotFoundException ( ) ; List < MigrationInfo > futureMigrations = Lists . newArrayList ( ) ; for ( MigrationInfo migrationInfo : migrationInfos ) { if ( ( migrationInfo . getState ( ) == MigrationState . FUTURE_SUCCESS ) || ( migrationInfo . getState ( ) == MigrationState . FUTURE_FAILED ) ) { futureMigrations . add ( migrationInfo ) ; } } return futureMigrations ; } | Retrieves the full set of infos about future migrations applied to the DB . |
18,335 | public static void updateDisks ( Document domainXml , List < StorageVol > volumes ) throws LibvirtException { XPathFactory xpf = XPathFactory . instance ( ) ; XPathExpression < Element > diskExpr = xpf . compile ( XPATH_DISK , Filters . element ( ) ) ; XPathExpression < Attribute > fileExpr = xpf . compile ( XPATH_DISK_FILE , Filters . attribute ( ) ) ; List < Element > disks = diskExpr . evaluate ( domainXml ) ; Iterator < StorageVol > cloneDiskIter = volumes . iterator ( ) ; for ( Element disk : disks ) { Attribute file = fileExpr . evaluateFirst ( disk ) ; StorageVol cloneDisk = cloneDiskIter . next ( ) ; file . setValue ( cloneDisk . getPath ( ) ) ; } } | update the disks in the domain XML . It is assumed that the the size of the volumes is the same as the number of disk elements and that the order is the same . |
18,336 | public static List < Disk > getDisks ( Connect connect , Document domainXml ) { try { List < Disk > ret = new ArrayList < > ( ) ; XPathFactory xpf = XPathFactory . instance ( ) ; XPathExpression < Element > diskExpr = xpf . compile ( XPATH_DISK , Filters . element ( ) ) ; XPathExpression < Attribute > typeExpr = xpf . compile ( XPATH_DISK_TYPE , Filters . attribute ( ) ) ; XPathExpression < Attribute > fileExpr = xpf . compile ( XPATH_DISK_FILE , Filters . attribute ( ) ) ; XPathExpression < Attribute > devExpr = xpf . compile ( XPATH_DISK_DEV , Filters . attribute ( ) ) ; List < Element > disks = diskExpr . evaluate ( domainXml ) ; for ( Element disk : disks ) { Attribute type = typeExpr . evaluateFirst ( disk ) ; Attribute file = fileExpr . evaluateFirst ( disk ) ; Attribute dev = devExpr . evaluateFirst ( disk ) ; StorageVol volume = LibvirtUtil . findVolume ( connect , file . getValue ( ) ) ; ret . add ( new Disk ( dev . getValue ( ) , file . getValue ( ) , volume , type . getValue ( ) ) ) ; } return ret ; } catch ( LibvirtException e ) { throw new LibvirtRuntimeException ( e ) ; } } | Get the disks connected to the domain . |
18,337 | public static GroupMapping mapping ( Map . Entry < String , Mapping < ? > > ... fields ) { return new GroupMapping ( Arrays . asList ( fields ) ) ; } | shortcut method to construct group mapping |
18,338 | public static Map . Entry < String , Mapping < ? > > field ( String name , Mapping < ? > mapping ) { return FrameworkUtils . entry ( name , mapping ) ; } | helper method to construct group field mapping |
18,339 | public boolean removeCustomer ( Long customerId ) { Customer customer = getCustomer ( customerId ) ; if ( customer != null ) { customerRepository . delete ( customer ) ; return true ; } return false ; } | Remove customer from the repository |
18,340 | public static void parkAndSerialize ( final FiberWriter writer ) { try { Fiber . parkAndSerialize ( writer ) ; } catch ( SuspendExecution e ) { throw RuntimeSuspendExecution . of ( e ) ; } } | Parks the fiber and allows the given callback to serialize it . |
18,341 | public static < V > Fiber < V > unparkSerialized ( byte [ ] serFiber , FiberScheduler scheduler ) { return Fiber . unparkSerialized ( serFiber , scheduler ) ; } | Deserializes a fiber from the given byte array and unparks it . |
18,342 | public static < V > V runInFiber ( FiberScheduler scheduler , SuspendableCallable < V > target ) throws ExecutionException , InterruptedException { return FiberUtil . runInFiber ( scheduler , target ) ; } | Runs an action in a new fiber awaits the fiber s termination and returns its result . |
18,343 | public static void runInFiber ( FiberScheduler scheduler , SuspendableRunnable target ) throws ExecutionException , InterruptedException { FiberUtil . runInFiber ( scheduler , target ) ; } | Runs an action in a new fiber and awaits the fiber s termination . |
18,344 | @ RequestMapping ( path = "" , method = RequestMethod . GET ) public Page < Order > getOrder ( Pageable pageable ) { return orderService . getOrders ( pageable ) ; } | Get page of orders |
18,345 | @ RequestMapping ( path = "/{orderId}" , method = { RequestMethod . GET , RequestMethod . POST } ) public ResponseEntity < Order > getOrder ( @ PathVariable ( "orderId" ) Long orderId ) { Order order = orderService . getOrder ( orderId ) ; if ( order != null ) { return new ResponseEntity ( order , HttpStatus . OK ) ; } return new ResponseEntity < Order > ( HttpStatus . NOT_FOUND ) ; } | Get order by id |
18,346 | @ RequestMapping ( path = "/{orderId}/status" , method = RequestMethod . PUT ) public ResponseEntity < Order > updateStatus ( @ PathVariable ( "orderId" ) Long orderId , @ RequestParam ( "status" ) OrderStatus status ) { Order order = orderService . updateStatus ( orderId , status ) ; if ( order != null ) { return new ResponseEntity < Order > ( order , HttpStatus . OK ) ; } return new ResponseEntity < Order > ( HttpStatus . NOT_FOUND ) ; } | Update order status |
18,347 | public boolean vmExists ( final String vmOrUuid ) { String [ ] lines = execute ( "list" , "vms" ) . split ( "\\s" ) ; for ( String line : lines ) { if ( line . endsWith ( "{" + vmOrUuid + "}" ) || line . startsWith ( "\"" + vmOrUuid + "\"" ) ) return true ; } return false ; } | Checks if VM exists . Accepts UUID or VM name as an argument . |
18,348 | public void loadSnapshot ( String vm , String snapshotUuid ) { if ( ! EnumSet . of ( POWEROFF , SAVED ) . contains ( vmState ( vm ) ) ) { powerOff ( vm ) ; } execute ( "snapshot" , vm , "restore" , snapshotUuid ) ; start ( vm ) ; } | Shuts down if running restores the snapshot and starts VM . |
18,349 | public String execute ( String ... command ) { return commandProcessor . run ( aCommand ( "VBoxManage" ) . withArguments ( command ) ) . getOutput ( ) ; } | Executes custom VBoxManage command |
18,350 | public void setExtraData ( String vm , String k , String v ) { execute ( "setextradata" , vm , k , v ) ; } | Sets extra data on the VM |
18,351 | public void update ( T value ) { _value = value ; for ( Listener < T > listener : new ArrayList < Listener < T > > ( _listeners ) ) { listener . valueChanged ( value ) ; } } | Updates this value and notifies all listeners . This will notify the listeners regardless of whether the supplied value differs from the current value . |
18,352 | public void displayPage ( final int page , boolean forceRefresh ) { if ( _page == page && ! forceRefresh ) { return ; } configureLoadingNavi ( _controls , 0 , _infoCol ) ; _page = Math . max ( page , 0 ) ; final boolean overQuery = ( _model . getItemCount ( ) < 0 ) ; final int count = _resultsPerPage ; final int start = _resultsPerPage * page ; _model . doFetchRows ( start , overQuery ? ( count + 1 ) : count , new AsyncCallback < List < T > > ( ) { public void onSuccess ( List < T > result ) { if ( overQuery ) { if ( result . size ( ) < ( count + 1 ) ) { _lastItem = start + result . size ( ) ; } else { result . remove ( count ) ; _lastItem = - 1 ; } } else { _lastItem = _model . getItemCount ( ) ; } displayResults ( start , count , result ) ; } public void onFailure ( Throwable caught ) { reportFailure ( caught ) ; } } ) ; } | Displays the specified page . Does nothing if we are already displaying that page unless forceRefresh is true . |
18,353 | public void removeItem ( T item ) { if ( _model == null ) { return ; } _model . removeItem ( item ) ; displayPage ( _page , true ) ; } | Removes the specified item from the panel . If the item is currently being displayed its interface element will be removed as well . |
18,354 | protected void configureNavi ( FlexTable controls , int row , int col , int start , int limit , int total ) { HorizontalPanel panel = new HorizontalPanel ( ) ; panel . add ( new Label ( "Page:" ) ) ; int page = 1 + start / _resultsPerPage ; int pages ; if ( total < 0 ) { pages = page + 1 ; } else { pages = total / _resultsPerPage + ( total % _resultsPerPage == 0 ? 0 : 1 ) ; } List < Integer > shown = new ArrayList < Integer > ( ) ; shown . add ( 1 ) ; for ( int ii = Math . max ( 2 , Math . min ( page - 2 , pages - 5 ) ) ; ii <= Math . min ( pages - 1 , Math . max ( page + 2 , 6 ) ) ; ii ++ ) { shown . add ( ii ) ; } if ( pages != 1 ) { shown . add ( pages ) ; } int ppage = 0 ; for ( Integer cpage : shown ) { if ( cpage - ppage > 1 ) { panel . add ( createPageLabel ( "..." , null ) ) ; } if ( cpage == page ) { panel . add ( createPageLabel ( "" + page , "Current" ) ) ; } else { panel . add ( createPageLinkLabel ( cpage ) ) ; } ppage = cpage ; } if ( total < 0 ) { panel . add ( createPageLabel ( "..." , null ) ) ; } controls . setWidget ( row , col , panel ) ; controls . getFlexCellFormatter ( ) . setHorizontalAlignment ( row , col , HasAlignment . ALIGN_CENTER ) ; } | Get the text that should be shown in the header bar between the prev and next buttons . |
18,355 | protected void reportFailure ( Throwable caught ) { java . util . logging . Logger . getLogger ( "PagedWidget" ) . warning ( "Failure to page: " + caught ) ; } | Report a service failure . |
18,356 | public void onKeyPress ( KeyPressEvent event ) { if ( event . getCharCode ( ) == KeyCodes . KEY_ESCAPE ) { _onEscape . onClick ( null ) ; } } | from interface KeyPressHandler |
18,357 | private static List < MediaType > getResourceMethodProducibleTypes ( final ExtendedUriInfo extendedUriInfo ) { if ( extendedUriInfo . getMatchedResourceMethod ( ) != null && ! extendedUriInfo . getMatchedResourceMethod ( ) . getProducedTypes ( ) . isEmpty ( ) ) { return extendedUriInfo . getMatchedResourceMethod ( ) . getProducedTypes ( ) ; } return Collections . singletonList ( MediaType . WILDCARD_TYPE ) ; } | Return a list of producible media types of the last matched resource method . |
18,358 | public static Charset getTemplateOutputEncoding ( Configuration configuration , String suffix ) { final String enc = PropertiesHelper . getValue ( configuration . getProperties ( ) , MvcFeature . ENCODING + suffix , String . class , null ) ; if ( enc == null ) { return DEFAULT_ENCODING ; } else { return Charset . forName ( enc ) ; } } | Get output encoding from configuration . |
18,359 | public static Map < String , String > getMacs ( Document domainXml ) { Map < String , String > macs = new HashMap < > ( ) ; XPathFactory xpf = XPathFactory . instance ( ) ; XPathExpression < Element > interfaces = xpf . compile ( "/domain/devices/interface" , Filters . element ( ) ) ; for ( Element iface : interfaces . evaluate ( domainXml ) ) { String interfaceType = iface . getAttribute ( "type" ) . getValue ( ) ; logger . debug ( "Detecting IP on network of type '{}'" , interfaceType ) ; if ( "bridge" . equals ( interfaceType ) ) { Element macElement = iface . getChild ( "mac" ) ; String mac = macElement . getAttribute ( "address" ) . getValue ( ) ; Element sourceElement = iface . getChild ( "source" ) ; String bridge = sourceElement . getAttribute ( "bridge" ) . getValue ( ) ; logger . info ( "Detected MAC '{}' on bridge '{}'" , mac , bridge ) ; macs . put ( bridge , mac ) ; } else if ( "network" . equals ( interfaceType ) ) { Element macElement = iface . getChild ( "mac" ) ; String mac = macElement . getAttribute ( "address" ) . getValue ( ) ; Element sourceElement = iface . getChild ( "source" ) ; String network = sourceElement . getAttribute ( "network" ) . getValue ( ) ; logger . info ( "Detected MAC '{}' on network '{}'" , mac , network ) ; macs . put ( network , mac ) ; } else { logger . warn ( "Ignoring network of type {}" , interfaceType ) ; } } return macs ; } | Get a map of mac addresses of interfaces defined on the domain . This is somewhat limited at the moment . It is assumed that only one network interface with mac is connected to a bridge or network . For instance if you have a bridged network device connected to br0 then you will find it s MAC address with the key br0 . |
18,360 | public static < V > V runWithMock ( EbeanServer mock , Callable < V > test ) throws Exception { return start ( mock ) . run ( test ) ; } | Run the test runnable using the mock EbeanServer and restoring the original EbeanServer afterward . |
18,361 | public < V > V run ( Callable < V > testCallable ) throws Exception { try { beforeRun ( ) ; return testCallable . call ( ) ; } finally { afterRun ( ) ; restoreOriginal ( ) ; } } | Run the test callable restoring the original EbeanServer afterwards . |
18,362 | public void restoreOriginal ( ) { if ( original == null ) { throw new IllegalStateException ( "Original EbeanServer instance is null" ) ; } if ( original . getName ( ) == null ) { throw new IllegalStateException ( "Original EbeanServer name is null" ) ; } Ebean . mock ( original . getName ( ) , original , true ) ; } | Restore the original EbeanServer implementation as the default EbeanServer . |
18,363 | protected static Integer getSingleIntegerParam ( List < String > list ) { String s = getSingleParam ( list ) ; if ( s != null ) { try { return Integer . valueOf ( s ) ; } catch ( NumberFormatException e ) { return null ; } } return null ; } | Return a single Integer parameter . |
18,364 | protected static String getSingleParam ( List < String > list ) { if ( list != null && list . size ( ) == 1 ) { return list . get ( 0 ) ; } return null ; } | Return a single parameter value . |
18,365 | public static < T extends FocusWidget & HasText > String requireNonEmpty ( T widget , String error ) { String text = widget . getText ( ) . trim ( ) ; if ( text . length ( ) == 0 ) { Popups . errorBelow ( error , widget ) ; widget . setFocus ( true ) ; throw new InputException ( ) ; } return text ; } | Returns a text widget s value making sure it is non - empty . |
18,366 | public static void tint ( View view , Tint tint ) { final ColorStateList color = tint . getColor ( view . getContext ( ) ) ; if ( view instanceof ImageView ) { tint ( ( ( ImageView ) view ) . getDrawable ( ) , color ) ; } else if ( view instanceof TextView ) { TextView text = ( TextView ) view ; Drawable [ ] comp = text . getCompoundDrawables ( ) ; for ( int i = 0 ; i < comp . length ; i ++ ) { if ( comp [ i ] != null ) { comp [ i ] = tint ( comp [ i ] , color ) ; } } text . setCompoundDrawablesWithIntrinsicBounds ( comp [ 0 ] , comp [ 1 ] , comp [ 2 ] , comp [ 3 ] ) ; } else { throw new IllegalArgumentException ( "Unsupported view type" ) ; } } | Tints ImageView drawable or TextView compound drawables to given tint color . |
18,367 | public DomainWrapper cloneWithBackingStore ( String cloneName , List < Filesystem > mappings ) { logger . info ( "Creating clone from {}" , getName ( ) ) ; try { Document cloneXmlDocument = domainXml . clone ( ) ; setDomainName ( cloneXmlDocument , cloneName ) ; prepareForCloning ( cloneXmlDocument ) ; updateCloneMetadata ( cloneXmlDocument , getName ( ) , new Date ( ) ) ; cloneDisks ( cloneXmlDocument , cloneName ) ; updateFilesystemMappings ( cloneXmlDocument , mappings ) ; String cloneXml = documentToString ( cloneXmlDocument ) ; logger . debug ( "Clone xml={}" , cloneXml ) ; Domain cloneDomain = domain . getConnect ( ) . domainDefineXML ( cloneXml ) ; String createdCloneXml = cloneDomain . getXMLDesc ( 0 ) ; logger . debug ( "Created clone xml: {}" , createdCloneXml ) ; cloneDomain . create ( ) ; logger . debug ( "Starting clone: '{}'" , cloneDomain . getName ( ) ) ; return newWrapper ( cloneDomain ) ; } catch ( IOException | LibvirtException e ) { throw new LibvirtRuntimeException ( "Unable to clone domain" , e ) ; } } | Clone the domain . All disks are cloned using the original disk as backing store . The names of the disks are created by suffixing the original disk name with a number . |
18,368 | public static < T > SimpleDataModel < T > newModel ( List < T > items ) { return new SimpleDataModel < T > ( items ) ; } | Creates a new simple data model with the supplied list of items . |
18,369 | public SimpleDataModel < T > filter ( Predicate < T > pred ) { List < T > items = new ArrayList < T > ( ) ; for ( T item : _items ) { if ( pred . apply ( item ) ) { items . add ( item ) ; } } return createFilteredModel ( items ) ; } | Returns a data model that contains only items that match the supplied predicate . |
18,370 | public void addItem ( int index , T item ) { if ( _items == null ) { return ; } _items . add ( index , item ) ; } | Adds an item to this model . Does not force the refresh of any display . |
18,371 | public void updateItem ( T item ) { if ( _items == null ) { return ; } int idx = _items . indexOf ( item ) ; if ( idx == - 1 ) { _items . add ( 0 , item ) ; } else { _items . set ( idx , item ) ; } } | Updates the specified item if found in the model prepends it otherwise . |
18,372 | public T findItem ( Predicate < T > p ) { if ( _items == null ) { return null ; } for ( T item : _items ) { if ( p . apply ( item ) ) { return item ; } } return null ; } | Returns the first item that matches the supplied predicate or null if no items in this model matches the predicate . |
18,373 | @ SuppressWarnings ( "unchecked" ) public < M extends T > M byId ( ID id ) { return ( M ) server ( ) . find ( getModelType ( ) , id ) ; } | Retrieves an entity by ID . |
18,374 | @ SuppressWarnings ( "unchecked" ) public < M extends T > M ref ( ID id ) { return ( M ) server ( ) . getReference ( getModelType ( ) , id ) ; } | Retrieves an entity reference for this ID . |
18,375 | @ SuppressWarnings ( "unchecked" ) public < M extends T > Map < ? , M > findMap ( ) { return ( Map < ? , M > ) query ( ) . findMap ( ) ; } | Executes the query and returns the results as a map of objects . |
18,376 | @ SuppressWarnings ( "unchecked" ) public < M extends T > Set < M > findSet ( ) { return ( Set < M > ) query ( ) . findSet ( ) ; } | Executes the query and returns the results as a set of objects . |
18,377 | public static SimplePanel newSimplePanel ( String styleName , Widget widget ) { SimplePanel panel = new SimplePanel ( ) ; if ( widget != null ) { panel . setWidget ( widget ) ; } return setStyleNames ( panel , styleName ) ; } | Creates a SimplePanel with the supplied style and widget |
18,378 | public static FlowPanel newFlowPanel ( String styleName , Widget ... contents ) { FlowPanel panel = new FlowPanel ( ) ; for ( Widget child : contents ) { if ( child != null ) { panel . add ( child ) ; } } return setStyleNames ( panel , styleName ) ; } | Creates a FlowPanel with the provided style and widgets . |
18,379 | public static ScrollPanel newScrollPanelX ( Widget contents , int maxWidth ) { ScrollPanel panel = new ScrollPanel ( contents ) ; DOM . setStyleAttribute ( panel . getElement ( ) , "maxWidth" , maxWidth + "px" ) ; return panel ; } | Wraps the supplied contents in a scroll panel with the specified maximum width . |
18,380 | public static ScrollPanel newScrollPanelY ( Widget contents , int maxHeight ) { ScrollPanel panel = new ScrollPanel ( contents ) ; DOM . setStyleAttribute ( panel . getElement ( ) , "maxHeight" , maxHeight + "px" ) ; return panel ; } | Wraps the supplied contents in a scroll panel with the specified maximum height . |
18,381 | public static HorizontalPanel newRow ( String styleName , Widget ... contents ) { return newRow ( HasAlignment . ALIGN_MIDDLE , styleName , contents ) ; } | Creates a row of widgets in a horizontal panel with a 5 pixel gap between them . |
18,382 | public static HorizontalPanel newRow ( HasAlignment . VerticalAlignmentConstant valign , String styleName , Widget ... contents ) { HorizontalPanel row = new HorizontalPanel ( ) ; row . setVerticalAlignment ( valign ) ; if ( styleName != null ) { row . setStyleName ( styleName ) ; } for ( Widget widget : contents ) { if ( widget != null ) { if ( row . getWidgetCount ( ) > 0 ) { row . add ( newShim ( 5 , 5 ) ) ; } row . add ( widget ) ; } } return row ; } | Creates a row of widgets in a horizontal panel with a 5 pixel gap between them . The supplied style name is added to the container panel . |
18,383 | public static Label newLabel ( String text , String ... styles ) { return setStyleNames ( new Label ( text ) , styles ) ; } | Creates a label with the supplied text and style and optional additional styles . |
18,384 | public static InlineLabel newInlineLabel ( String text , String ... styles ) { return setStyleNames ( new InlineLabel ( text ) , styles ) ; } | Creates an inline label with optional styles . |
18,385 | public static Label newActionLabel ( String text , ClickHandler onClick ) { return newActionLabel ( text , null , onClick ) ; } | Creates a label that triggers an action using the supplied text and handler . |
18,386 | public static Label newActionLabel ( String text , String style , ClickHandler onClick ) { return makeActionLabel ( newLabel ( text , style ) , onClick ) ; } | Creates a label that triggers an action using the supplied text and handler . The label will be styled as specified with an additional style that configures the mouse pointer and adds underline to the text . |
18,387 | public static Label makeActionLabel ( Label label , ClickHandler onClick ) { return makeActionable ( label , onClick , null ) ; } | Makes the supplied label into an action label . The label will be styled such that it configures the mouse pointer and adds underline to the text . |
18,388 | public static < T extends Widget & HasClickHandlers > T makeActionable ( final T target , final ClickHandler onClick , Value < Boolean > enabled ) { if ( onClick != null ) { if ( enabled != null ) { enabled . addListenerAndTrigger ( new Value . Listener < Boolean > ( ) { public void valueChanged ( Boolean enabled ) { if ( ! enabled && _regi != null ) { _regi . removeHandler ( ) ; _regi = null ; target . removeStyleName ( "actionLabel" ) ; } else if ( enabled && _regi == null ) { _regi = target . addClickHandler ( onClick ) ; target . addStyleName ( "actionLabel" ) ; } } protected HandlerRegistration _regi ; } ) ; } else { target . addClickHandler ( onClick ) ; target . addStyleName ( "actionLabel" ) ; } } return target ; } | Makes the supplied widget actionable which means adding the actionLabel style to it and binding the supplied click handler . |
18,389 | public static HTML newHTML ( String text , String ... styles ) { return setStyleNames ( new HTML ( text ) , styles ) ; } | Creates a new HTML element with the specified contents and style . |
18,390 | public static Image newImage ( String path , String ... styles ) { return setStyleNames ( new Image ( path ) , styles ) ; } | Creates an image with the supplied path and style . |
18,391 | public static Image makeActionImage ( Image image , String tip , ClickHandler onClick ) { if ( tip != null ) { image . setTitle ( tip ) ; } return makeActionable ( image , onClick , null ) ; } | Makes an image into one that responds to clicking . |
18,392 | public static TextBox newTextBox ( String text , int maxLength , int visibleLength ) { return initTextBox ( new TextBox ( ) , text , maxLength , visibleLength ) ; } | Creates a text box with all of the configuration that you re bound to want to do . |
18,393 | public static String getText ( TextBoxBase box , String defaultAsBlank ) { String s = box . getText ( ) . trim ( ) ; return s . equals ( defaultAsBlank ) ? "" : s ; } | Retrieve the text from the TextBox unless it is the specified default in which case we return . |
18,394 | public static TextBox initTextBox ( TextBox box , String text , int maxLength , int visibleLength ) { if ( text != null ) { box . setText ( text ) ; } box . setMaxLength ( maxLength > 0 ? maxLength : 255 ) ; if ( visibleLength > 0 ) { box . setVisibleLength ( visibleLength ) ; } return box ; } | Configures a text box with all of the configuration that you re bound to want to do . This is useful for configuring a PasswordTextBox . |
18,395 | public static TextArea newTextArea ( String text , int width , int height ) { TextArea area = new TextArea ( ) ; if ( text != null ) { area . setText ( text ) ; } if ( width > 0 ) { area . setCharacterWidth ( width ) ; } if ( height > 0 ) { area . setVisibleLines ( height ) ; } return area ; } | Creates a text area with all of the configuration that you re bound to want to do . |
18,396 | public static LimitedTextArea newTextArea ( String text , int width , int height , int maxLength ) { LimitedTextArea area = new LimitedTextArea ( maxLength , width , height ) ; if ( text != null ) { area . setText ( text ) ; } return area ; } | Creates a limited text area with all of the configuration that you re bound to want to do . |
18,397 | public static PushButton newImageButton ( String style , ClickHandler onClick ) { PushButton button = new PushButton ( ) ; maybeAddClickHandler ( button , onClick ) ; return setStyleNames ( button , style , "actionLabel" ) ; } | Creates an image button that changes appearance when you click and hover over it . |
18,398 | public static < T extends Widget > T setStyleNames ( T widget , String ... styles ) { int idx = 0 ; for ( String style : styles ) { if ( style == null ) { continue ; } if ( idx ++ == 0 ) { widget . setStyleName ( style ) ; } else { widget . addStyleName ( style ) ; } } return widget ; } | Configures the supplied styles on the supplied widget . Existing styles will not be preserved unless you call this with no - non - null styles . Returns the widget for easy chaining . |
18,399 | private ConcurrentManaged < T > newManaged ( ) { return ConcurrentManaged . newManaged ( async , caller , managedOptions , setup , teardown ) ; } | Construct a new managed reference . |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.