idx int64 0 41.2k | question stringlengths 83 4.15k | target stringlengths 5 715 |
|---|---|---|
14,500 | public void showPanel ( ) { if ( mFirstLayout ) { mSlideState = SlideState . COLLAPSED ; } else { if ( mSlideableView == null || mSlideState != SlideState . HIDDEN ) return ; mSlideableView . setVisibility ( View . VISIBLE ) ; requestLayout ( ) ; smoothSlideTo ( 0 , 0 ) ; } } | Shows the panel from the hidden state |
14,501 | public void hidePanel ( ) { if ( mFirstLayout ) { mSlideState = SlideState . HIDDEN ; } else { if ( mSlideState == SlideState . DRAGGING || mSlideState == SlideState . HIDDEN ) return ; int newTop = computePanelTopPosition ( 0.0f ) ; smoothSlideTo ( computeSlideOffset ( newTop ) , 0 ) ; } } | Hides the sliding panel entirely . |
14,502 | boolean smoothSlideTo ( float slideOffset , int velocity ) { if ( ! isSlidingEnabled ( ) ) { return false ; } int panelTop = computePanelTopPosition ( slideOffset ) ; if ( mDragHelper . smoothSlideViewTo ( mSlideableView , mSlideableView . getLeft ( ) , panelTop ) ) { setAllChildrenVisible ( ) ; ViewCompat . postInvalidateOnAnimation ( this ) ; return true ; } return false ; } | Smoothly animate mDraggingPane to the target X position within its range . |
14,503 | public static UnsubscribeMessage createCleanupMessage ( WebSocketSession session ) { UnsubscribeMessage msg = new UnsubscribeMessage ( "**" ) ; msg . setWebSocketSessionId ( session . getId ( ) ) ; msg . setPrincipal ( session . getPrincipal ( ) ) ; msg . setWampSession ( new WampSession ( session ) ) ; msg . cleanup = true ; return msg ; } | Creates an internal unsubscribe message . The system creates this message when the WebSocket session ends and sends it to the subscribed message handlers for cleaning up |
14,504 | public static long [ ] parseCoins ( long value ) { long [ ] result = new long [ 3 ] ; if ( value < 0 ) return result ; long temp = value ; result [ 2 ] = temp % 100 ; temp = temp / 100 ; result [ 1 ] = temp % 100 ; result [ 0 ] = temp / 100 ; return result ; } | parse given coin value into number of gold sliver and copper |
14,505 | public void handleMessageFromClient ( WebSocketSession session , WebSocketMessage < ? > webSocketMessage , MessageChannel outputChannel ) { Assert . isInstanceOf ( TextMessage . class , webSocketMessage ) ; WampMessage wampMessage = null ; try { wampMessage = WampMessage . fromJson ( session , this . jsonFactory , ( ( TextMessage ) webSocketMessage ) . getPayload ( ) ) ; } catch ( Throwable ex ) { if ( logger . isErrorEnabled ( ) ) { logger . error ( "Failed to parse " + webSocketMessage + " in session " + session . getId ( ) + "." , ex ) ; } return ; } try { WampSessionContextHolder . setAttributesFromMessage ( wampMessage ) ; outputChannel . send ( wampMessage ) ; } catch ( Throwable ex ) { logger . error ( "Failed to send client message to application via MessageChannel" + " in session " + session . getId ( ) + "." , ex ) ; if ( wampMessage != null && wampMessage instanceof CallMessage ) { CallErrorMessage callErrorMessage = new CallErrorMessage ( ( CallMessage ) wampMessage , "" , ex . toString ( ) ) ; try { String json = callErrorMessage . toJson ( this . jsonFactory ) ; session . sendMessage ( new TextMessage ( json ) ) ; } catch ( Throwable t ) { logger . debug ( "Failed to send error to client." , t ) ; } } } finally { WampSessionContextHolder . resetAttributes ( ) ; } } | Handle incoming WebSocket messages from clients . |
14,506 | public void handleMessageToClient ( WebSocketSession session , Message < ? > message ) { if ( ! ( message instanceof WampMessage ) ) { logger . error ( "Expected WampMessage. Ignoring " + message + "." ) ; return ; } boolean closeWebSocketSession = false ; try { String json = ( ( WampMessage ) message ) . toJson ( this . jsonFactory ) ; session . sendMessage ( new TextMessage ( json ) ) ; } catch ( SessionLimitExceededException ex ) { throw ex ; } catch ( Throwable ex ) { logger . debug ( "Failed to send WebSocket message to client in session " + session . getId ( ) + "." , ex ) ; closeWebSocketSession = true ; } finally { if ( closeWebSocketSession ) { try { session . close ( CloseStatus . PROTOCOL_ERROR ) ; } catch ( IOException ex ) { } } } } | Handle WAMP messages going back out to WebSocket clients . |
14,507 | private Set < Field > getItemFields ( ) { Class next = Item . class ; Set < Field > fields = new HashSet < > ( getFields ( next ) ) ; while ( next . getSuperclass ( ) != Object . class ) { next = next . getSuperclass ( ) ; fields . addAll ( getFields ( next ) ) ; } return fields ; } | get all fields for item class and all of it s super classes |
14,508 | private List < Field > getFields ( Class given ) { Field [ ] fs = given . getDeclaredFields ( ) ; return new ArrayList < > ( Arrays . asList ( fs ) ) ; } | get field of given class |
14,509 | public static void setInstance ( Cache cache ) throws GuildWars2Exception { if ( instance != null ) throw new GuildWars2Exception ( ErrorCode . Other , "Instance already initialized" ) ; instance = new GuildWars2 ( cache ) ; } | Use this to initialize instance with custom cache |
14,510 | public static List < File > listFiles ( File dir , FileFilter filter , boolean recursive ) { List < File > list = new ArrayList < File > ( ) ; listFilesInternal ( list , dir , filter , recursive ) ; return list ; } | List files ONLY not include directories . |
14,511 | @ SuppressWarnings ( "unchecked" ) public < T > T getAttribute ( String name ) { return ( T ) this . webSocketSession . getAttributes ( ) . get ( name ) ; } | Return the value for the attribute of the given name if any . |
14,512 | public void registerDestructionCallback ( String name , Runnable callback ) { synchronized ( getSessionMutex ( ) ) { if ( isSessionCompleted ( ) ) { throw new IllegalStateException ( "Session id=" + getWebSocketSessionId ( ) + " already completed" ) ; } setAttribute ( DESTRUCTION_CALLBACK_NAME_PREFIX + name , callback ) ; } } | Register a callback to execute on destruction of the specified attribute . The callback is executed when the session is closed . |
14,513 | public Object getSessionMutex ( ) { Object mutex = getAttribute ( SESSION_MUTEX_NAME ) ; if ( mutex == null ) { mutex = this . webSocketSession . getAttributes ( ) ; } return mutex ; } | Expose the object to synchronize on for the underlying session . |
14,514 | public int peek ( long timeout , TimeUnit unit ) throws InterruptedException , TimeoutException { final int readLocation = this . consumerReadLocation ; blockForReadSpace ( timeout , unit , readLocation ) ; return data [ readLocation ] ; } | Retrieves but does not remove the head of this queue . |
14,515 | public Object invoke ( WampMessage message , Object ... providedArgs ) throws Exception { Object [ ] args = getMethodArgumentValues ( message , providedArgs ) ; if ( this . logger . isTraceEnabled ( ) ) { this . logger . trace ( "Resolved arguments: " + Arrays . asList ( args ) ) ; } Object returnValue = doInvoke ( args ) ; if ( this . logger . isTraceEnabled ( ) ) { this . logger . trace ( "Returned value: " + returnValue ) ; } return returnValue ; } | Invoke the method with the given message . |
14,516 | private Object [ ] getMethodArgumentValues ( WampMessage message , Object ... providedArgs ) throws Exception { MethodParameter [ ] parameters = getMethodParameters ( ) ; Object [ ] args = new Object [ parameters . length ] ; int argIndex = 0 ; for ( int i = 0 ; i < parameters . length ; i ++ ) { MethodParameter parameter = parameters [ i ] ; parameter . initParameterNameDiscovery ( this . parameterNameDiscoverer ) ; GenericTypeResolver . resolveParameterType ( parameter , getBean ( ) . getClass ( ) ) ; if ( this . argumentResolvers . supportsParameter ( parameter ) ) { try { args [ i ] = this . argumentResolvers . resolveArgument ( parameter , message ) ; continue ; } catch ( Exception ex ) { if ( this . logger . isTraceEnabled ( ) ) { this . logger . trace ( getArgumentResolutionErrorMessage ( "Error resolving argument" , i ) , ex ) ; } throw ex ; } } if ( providedArgs != null ) { args [ i ] = this . methodParameterConverter . convert ( parameter , providedArgs [ argIndex ] ) ; if ( args [ i ] != null ) { argIndex ++ ; continue ; } } if ( args [ i ] == null ) { String error = getArgumentResolutionErrorMessage ( "No suitable resolver for argument" , i ) ; throw new IllegalStateException ( error ) ; } } return args ; } | Get the method argument values for the current request . |
14,517 | protected String getDetailedErrorMessage ( String message ) { StringBuilder sb = new StringBuilder ( message ) . append ( "\n" ) ; sb . append ( "HandlerMethod details: \n" ) ; sb . append ( "Bean [" ) . append ( getBeanType ( ) . getName ( ) ) . append ( "]\n" ) ; sb . append ( "Method [" ) . append ( getBridgedMethod ( ) . toGenericString ( ) ) . append ( "]\n" ) ; return sb . toString ( ) ; } | Adds HandlerMethod details such as the controller type and method signature to the given error message . |
14,518 | protected Object doInvoke ( Object ... args ) throws Exception { ReflectionUtils . makeAccessible ( getBridgedMethod ( ) ) ; try { return getBridgedMethod ( ) . invoke ( getBean ( ) , args ) ; } catch ( IllegalArgumentException ex ) { assertTargetBean ( getBridgedMethod ( ) , getBean ( ) , args ) ; throw new IllegalStateException ( getInvocationErrorMessage ( ex . getMessage ( ) , args ) , ex ) ; } catch ( InvocationTargetException ex ) { Throwable targetException = ex . getTargetException ( ) ; if ( targetException instanceof RuntimeException ) { throw ( RuntimeException ) targetException ; } else if ( targetException instanceof Error ) { throw ( Error ) targetException ; } else if ( targetException instanceof Exception ) { throw ( Exception ) targetException ; } else { String msg = getInvocationErrorMessage ( "Failed to invoke controller method" , args ) ; throw new IllegalStateException ( msg , targetException ) ; } } } | Invoke the handler method with the given argument values . |
14,519 | private File [ ] resolveConfigFiles ( File base , Map < String , Object > override ) { if ( override != null ) { String configFilesString = ( String ) override . remove ( "config" ) ; if ( StringUtils . isNotBlank ( configFilesString ) ) { log . info ( "Using config files: {}" , configFilesString ) ; String [ ] strings = StringUtils . split ( configFilesString , ',' ) ; File [ ] files = new File [ strings . length ] ; for ( int i = 0 ; i < strings . length ; i ++ ) { files [ i ] = new File ( base , strings [ i ] ) ; } return files ; } } useDefaultConfigFiles = true ; return base . listFiles ( DEFAULT_CONFIG_FILES_FILTER ) ; } | Find all config files . |
14,520 | public WebSocketTransportRegistration setDecoratorFactories ( WebSocketHandlerDecoratorFactory ... factories ) { if ( factories != null ) { this . decoratorFactories . addAll ( Arrays . asList ( factories ) ) ; } return this ; } | Configure one or more factories to decorate the handler used to process WebSocket messages . This may be useful in some advanced use cases for example to allow Spring Security to forcibly close the WebSocket session when the corresponding HTTP session expires . |
14,521 | public boolean offer ( float value , long timeout , TimeUnit unit ) throws InterruptedException { final int writeLocation = this . producerWriteLocation ; final int nextWriteLocation = ( writeLocation + 1 == capacity ) ? 0 : writeLocation + 1 ; if ( nextWriteLocation == capacity - 1 ) { final long timeoutAt = System . nanoTime ( ) + unit . toNanos ( timeout ) ; while ( readLocation == 0 ) { if ( ! blockAtAdd ( timeoutAt ) ) return false ; } } else { final long timeoutAt = System . nanoTime ( ) + unit . toNanos ( timeout ) ; while ( nextWriteLocation == readLocation ) { if ( ! blockAtAdd ( timeoutAt ) ) return false ; } } data [ writeLocation ] = value ; setWriteLocation ( nextWriteLocation ) ; return true ; } | Inserts the specified element into this queue waiting up to the specified wait time if necessary for space to become available . |
14,522 | public int size ( ) { int read = readLocation ; int write = writeLocation ; if ( write < read ) write += capacity ; return write - read ; } | This method is not thread safe it therefore only provides and approximation of the size the size will be corrected if nothing was added or removed from the queue at the time it was called |
14,523 | public static String [ ] removeEmpties ( final String ... values ) { if ( values == null || values . length == 0 ) { return new String [ 0 ] ; } List < String > validValues = new ArrayList < String > ( ) ; for ( String value : values ) { if ( value != null && value . length ( ) > 0 ) { validValues . add ( value ) ; } } return validValues . toArray ( new String [ validValues . size ( ) ] ) ; } | Create an array with only the non - null and non - empty values |
14,524 | public static String [ ] getMatchingPaths ( final String [ ] includes , final String [ ] excludes , final String baseDir ) { DirectoryScanner scanner = new DirectoryScanner ( ) ; scanner . setBasedir ( baseDir ) ; if ( includes != null && includes . length > 0 ) { scanner . setIncludes ( includes ) ; } if ( excludes != null && excludes . length > 0 ) { scanner . setExcludes ( excludes ) ; } scanner . scan ( ) ; return scanner . getIncludedFiles ( ) ; } | Get matching paths found in given base directory |
14,525 | private FileFilter createConfigFilesFilter ( ) { SiteConfig config = site . getConfig ( ) ; boolean useDefaultConfigFiles = config . useDefaultConfigFiles ( ) ; if ( useDefaultConfigFiles ) { log . debug ( "Using default config files." ) ; return SiteConfigImpl . DEFAULT_CONFIG_FILES_FILTER ; } else { final File [ ] configFiles = config . getConfigFiles ( ) ; return new FileFilter ( ) { public boolean accept ( File file ) { for ( File configFile : configFiles ) { if ( configFile . equals ( file ) ) { return true ; } } return false ; } } ; } } | Create config files FileFilter . |
14,526 | public static Vector inverseTransform ( double x , double y , double sx , double sy , double rotation , Vector result ) { double sinnega = Math . sin ( - rotation ) , cosnega = Math . cos ( - rotation ) ; double nx = ( x * cosnega - y * sinnega ) ; double ny = ( x * sinnega + y * cosnega ) ; return result . set ( nx / sx , ny / sy ) ; } | Inverse transforms a vector as specified storing the result in the vector provided . |
14,527 | public void start ( ) { setDefaultLogLevel ( ) ; if ( Boolean . getBoolean ( "jlineDisable" ) ) { Scanner scan = new Scanner ( System . in ) ; boolean run = true ; while ( run ) { System . out . print ( _prompt + " (no jline) >" ) ; String nextLine = scan . nextLine ( ) ; run = processInputLine ( nextLine ) ; } scan . close ( ) ; } else { try { ConsoleReader reader = new ConsoleReader ( ) ; reader . setBellEnabled ( _appContext . getBoolean ( "cliapi.bellenabled" , false ) ) ; reader . addCompleter ( new StringsCompleter ( this . getCommandNames ( ) . toArray ( new String [ 0 ] ) ) ) ; boolean run = true ; while ( run ) { String nextLine = reader . readLine ( _prompt + " >" ) ; run = processInputLine ( nextLine ) ; } } catch ( IOException e ) { System . err . println ( "Error reading from input." ) ; e . printStackTrace ( ) ; } } } | Start the application . This will continuously loop until the user exits the application . |
14,528 | protected FindCommandResult findAndCreateCommand ( String [ ] args ) throws CommandInitException { String commandName = args [ 0 ] ; String [ ] remainingArguments = StringUtils . stripArgs ( args , 1 ) ; Class < ? extends Command < ? extends CLIContext > > commandClass = _commands . get ( commandName ) ; if ( commandClass == null ) { return null ; } try { Command < ? extends CLIContext > rootCmd = ( Command < ? extends CLIContext > ) commandClass . newInstance ( ) ; return rootCmd . findAndCreateCommand ( remainingArguments ) ; } catch ( Exception e ) { throw new CommandInitException ( commandName ) ; } } | Find and create the command instance . |
14,529 | private Map < String , Class < ? extends Command < ? extends CLIContext > > > loadCommands ( ) throws CLIInitException { Map < String , Class < ? extends Command < ? extends CLIContext > > > commands = new HashMap < String , Class < ? extends Command < ? extends CLIContext > > > ( ) ; Discoverer discoverer = new ClasspathDiscoverer ( ) ; CLIAnnotationDiscovereryListener discoveryListener = new CLIAnnotationDiscovereryListener ( new String [ ] { CLICommand . class . getName ( ) } ) ; discoverer . addAnnotationListener ( discoveryListener ) ; discoverer . discover ( true , true , true , true , true ) ; loadCommands ( commands , discoveryListener . getDiscoveredClasses ( ) ) ; if ( commands . isEmpty ( ) ) { throw new CLIInitException ( "No commands could be loaded." ) ; } return commands ; } | Load the necessary commands for this application . |
14,530 | public void setBounds ( IRectangle r ) { setBounds ( r . x ( ) , r . y ( ) , r . width ( ) , r . height ( ) ) ; } | Sets the bounds of this rectangle to those of the supplied rectangle . |
14,531 | public void add ( int px , int py ) { int x1 = Math . min ( x , px ) ; int x2 = Math . max ( x + width , px ) ; int y1 = Math . min ( y , py ) ; int y2 = Math . max ( y + height , py ) ; setBounds ( x1 , y1 , x2 - x1 , y2 - y1 ) ; } | Expands the bounds of this rectangle to contain the specified point . |
14,532 | public void add ( IRectangle r ) { int x1 = Math . min ( x , r . x ( ) ) ; int x2 = Math . max ( x + width , r . x ( ) + r . width ( ) ) ; int y1 = Math . min ( y , r . y ( ) ) ; int y2 = Math . max ( y + height , r . y ( ) + r . height ( ) ) ; setBounds ( x1 , y1 , x2 - x1 , y2 - y1 ) ; } | Expands the bounds of this rectangle to contain the supplied rectangle . |
14,533 | public Vector setAngle ( double angle ) { double l = length ( ) ; return set ( l * Math . cos ( angle ) , l * Math . sin ( angle ) ) ; } | Sets this vector s angle preserving its magnitude . |
14,534 | public boolean setListenerURL ( String listenerURL ) { String newURL = _substitutor . replace ( listenerURL ) ; boolean changed = false ; if ( ! _urlValidator . isValid ( newURL ) ) { error ( "The Response Listener URL specified is invalid. Continuing with previous value." ) ; } else { if ( ! newURL . equalsIgnoreCase ( _listenerURL ) ) { _listenerURL = newURL ; _listenerTarget = createListenerTarget ( newURL ) ; changed = true ; } } return changed ; } | Sets the Listener URL . Checks to see if the URL is valid or it does nothing . |
14,535 | public void setResponseURL ( String responseURL ) { String newURL = _substitutor . replace ( responseURL ) ; if ( ! _urlValidator . isValid ( newURL ) ) { error ( "The RespondTo URL specified is invalid. Continuing with previous value." ) ; } else { this . _responseURL = newURL ; } } | Sets the respondTo URL for the client probes to use . If the URL is invalid it does nothing . |
14,536 | public Box set ( IVector3 minExtent , IVector3 maxExtent ) { _minExtent . set ( minExtent ) ; _maxExtent . set ( maxExtent ) ; return this ; } | Sets the box parameters to the values contained in the supplied vectors . |
14,537 | public Box fromPoints ( IVector3 ... points ) { setToEmpty ( ) ; for ( IVector3 point : points ) { addLocal ( point ) ; } return this ; } | Initializes this box with the extents of an array of points . |
14,538 | public static int solveQuad ( double [ ] eqn , double [ ] res ) { double a = eqn [ 2 ] ; double b = eqn [ 1 ] ; double c = eqn [ 0 ] ; int rc = 0 ; if ( a == 0f ) { if ( b == 0f ) { return - 1 ; } res [ rc ++ ] = - c / b ; } else { double d = b * b - 4f * a * c ; if ( d < 0f ) { return 0 ; } d = Math . sqrt ( d ) ; res [ rc ++ ] = ( - b + d ) / ( a * 2f ) ; if ( d != 0f ) { res [ rc ++ ] = ( - b - d ) / ( a * 2f ) ; } } return fixRoots ( res , rc ) ; } | Solves quadratic equation |
14,539 | public static int solveCubic ( double [ ] eqn , double [ ] res ) { double d = eqn [ 3 ] ; if ( d == 0 ) { return solveQuad ( eqn , res ) ; } double a = eqn [ 2 ] / d ; double b = eqn [ 1 ] / d ; double c = eqn [ 0 ] / d ; int rc = 0 ; double Q = ( a * a - 3f * b ) / 9f ; double R = ( 2f * a * a * a - 9f * a * b + 27f * c ) / 54f ; double Q3 = Q * Q * Q ; double R2 = R * R ; double n = - a / 3f ; if ( R2 < Q3 ) { double t = Math . acos ( R / Math . sqrt ( Q3 ) ) / 3f ; double p = 2f * Math . PI / 3f ; double m = - 2f * Math . sqrt ( Q ) ; res [ rc ++ ] = m * Math . cos ( t ) + n ; res [ rc ++ ] = m * Math . cos ( t + p ) + n ; res [ rc ++ ] = m * Math . cos ( t - p ) + n ; } else { double A = Math . pow ( Math . abs ( R ) + Math . sqrt ( R2 - Q3 ) , 1f / 3f ) ; if ( R > 0f ) { A = - A ; } if ( - ROOT_DELTA < A && A < ROOT_DELTA ) { res [ rc ++ ] = n ; } else { double B = Q / A ; res [ rc ++ ] = A + B + n ; double delta = R2 - Q3 ; if ( - ROOT_DELTA < delta && delta < ROOT_DELTA ) { res [ rc ++ ] = - ( A + B ) / 2f + n ; } } } return fixRoots ( res , rc ) ; } | Solves cubic equation |
14,540 | public static int intersectLine ( double x1 , double y1 , double x2 , double y2 , double rx1 , double ry1 , double rx2 , double ry2 ) { if ( ( rx2 < x1 && rx2 < x2 ) || ( rx1 > x1 && rx1 > x2 ) || ( ry1 > y1 && ry1 > y2 ) ) { return 0 ; } if ( ry2 < y1 && ry2 < y2 ) { } else { if ( x1 == x2 ) { return CROSSING ; } double bx1 , bx2 ; if ( x1 < x2 ) { bx1 = x1 < rx1 ? rx1 : x1 ; bx2 = x2 < rx2 ? x2 : rx2 ; } else { bx1 = x2 < rx1 ? rx1 : x2 ; bx2 = x1 < rx2 ? x1 : rx2 ; } double k = ( y2 - y1 ) / ( x2 - x1 ) ; double by1 = k * ( bx1 - x1 ) + y1 ; double by2 = k * ( bx2 - x1 ) + y1 ; if ( by1 < ry1 && by2 < ry1 ) { return 0 ; } if ( by1 > ry2 && by2 > ry2 ) { } else { return CROSSING ; } } if ( x1 == x2 ) { return 0 ; } if ( rx1 == x1 ) { return x1 < x2 ? 0 : - 1 ; } if ( rx1 == x2 ) { return x1 < x2 ? 1 : 0 ; } if ( x1 < x2 ) { return x1 < rx1 && rx1 < x2 ? 1 : 0 ; } return x2 < rx1 && rx1 < x1 ? - 1 : 0 ; } | Returns how many times rectangle stripe cross line or the are intersect |
14,541 | protected static void sortBound ( double [ ] bound , int bc ) { for ( int i = 0 ; i < bc - 4 ; i += 4 ) { int k = i ; for ( int j = i + 4 ; j < bc ; j += 4 ) { if ( bound [ k ] > bound [ j ] ) { k = j ; } } if ( k != i ) { double tmp = bound [ i ] ; bound [ i ] = bound [ k ] ; bound [ k ] = tmp ; tmp = bound [ i + 1 ] ; bound [ i + 1 ] = bound [ k + 1 ] ; bound [ k + 1 ] = tmp ; tmp = bound [ i + 2 ] ; bound [ i + 2 ] = bound [ k + 2 ] ; bound [ k + 2 ] = tmp ; tmp = bound [ i + 3 ] ; bound [ i + 3 ] = bound [ k + 3 ] ; bound [ k + 3 ] = tmp ; } } } | Sorts a bound array . |
14,542 | protected static int crossBound ( double [ ] bound , int bc , double py1 , double py2 ) { if ( bc == 0 ) { return 0 ; } int up = 0 ; int down = 0 ; for ( int i = 2 ; i < bc ; i += 4 ) { if ( bound [ i ] < py1 ) { up ++ ; continue ; } if ( bound [ i ] > py2 ) { down ++ ; continue ; } return CROSSING ; } if ( down == 0 ) { return 0 ; } if ( up != 0 ) { sortBound ( bound , bc ) ; boolean sign = bound [ 2 ] > py2 ; for ( int i = 6 ; i < bc ; i += 4 ) { boolean sign2 = bound [ i ] > py2 ; if ( sign != sign2 && bound [ i + 1 ] != bound [ i - 3 ] ) { return CROSSING ; } sign = sign2 ; } } return UNKNOWN ; } | Returns whether bounds intersect a rectangle or not . |
14,543 | public void setElement ( int row , int col , float value ) { switch ( col ) { case 0 : switch ( row ) { case 0 : m00 = value ; return ; case 1 : m01 = value ; return ; case 2 : m02 = value ; return ; } break ; case 1 : switch ( row ) { case 0 : m10 = value ; return ; case 1 : m11 = value ; return ; case 2 : m12 = value ; return ; } break ; case 2 : switch ( row ) { case 0 : m20 = value ; return ; case 1 : m21 = value ; return ; case 2 : m22 = value ; return ; } break ; } throw new ArrayIndexOutOfBoundsException ( ) ; } | Sets the matrix element at the specified row and column . |
14,544 | public Plane fromPoints ( IVector3 p1 , IVector3 p2 , IVector3 p3 ) { p2 . subtract ( p1 , _v1 ) ; p3 . subtract ( p1 , _v2 ) ; _v1 . cross ( _v2 , _normal ) . normalizeLocal ( ) ; constant = - _normal . dot ( p1 ) ; return this ; } | Sets this plane based on the three points provided . |
14,545 | public Plane fromPointNormal ( IVector3 pt , IVector3 normal ) { return set ( normal , - normal . dot ( pt ) ) ; } | Sets this plane based on a point on the plane and the plane normal . |
14,546 | public static String [ ] stripArgs ( String [ ] originalArgs , int stripCount ) { if ( originalArgs . length <= stripCount ) { return new String [ 0 ] ; } String [ ] stripped = new String [ originalArgs . length - stripCount ] ; for ( int i = 0 ; i < stripped . length ; i ++ ) { stripped [ i ] = originalArgs [ i + stripCount ] ; } return stripped ; } | Strip the first N items from the array . |
14,547 | public < U extends T > OngoingMatchingC0 < T , U > when ( MatchesExact < U > o ) { List < Matcher < Object > > matchers = Lists . of ( ArgumentMatchers . eq ( o . t ) ) ; return new OngoingMatchingC0 < > ( this , new DecomposableMatchBuilder0 < > ( matchers , new IdentityFieldExtractor < U > ( ) ) . build ( ) ) ; } | Specifies an exact match and then returns a fluent interface for specifying the action to take if the value matches this case . |
14,548 | public < U extends T > OngoingMatchingC1 < T , U , U > when ( MatchesAny < U > o ) { List < Matcher < Object > > matchers = Lists . of ( ArgumentMatchers . any ( ) ) ; return new OngoingMatchingC1 < > ( this , new DecomposableMatchBuilder1 < U , U > ( matchers , 0 , new IdentityFieldExtractor < > ( ) ) . build ( ) ) ; } | Specifies a wildcard match and then returns a fluent interface for specifying the action to take if the value matches this case . |
14,549 | public void doMatch ( ) { boolean matchFound = false ; for ( ConsumablePattern < T > pattern : patterns ) { if ( pattern . matches ( value ) ) { pattern . consume ( value ) ; matchFound = true ; break ; } } if ( ! matchFound ) { throw new MatchException ( "No match found for " + value ) ; } } | Runs through the possible matches and executes the specified consumer of the first match . |
14,550 | public FluentMatchingC < T > orElse ( ) { patterns . add ( ConsumablePattern . of ( t -> true , t -> doNothing ( ) ) ) ; return this ; } | Sets a no - op to be run if no match is found . |
14,551 | public void subscribe ( ) throws URISyntaxException , TransportConfigException { if ( _inShutdown ) return ; URI url = getBaseSubscriptionURI ( ) ; String subscriptionURL = url . toString ( ) + "listener/sns" ; LOGGER . info ( "Subscription URI - " + subscriptionURL ) ; SubscribeRequest subRequest = new SubscribeRequest ( _argoTopicName , "http" , subscriptionURL ) ; try { getSNSClient ( ) . subscribe ( subRequest ) ; } catch ( AmazonServiceException e ) { throw new TransportConfigException ( "Error subscribing to SNS topic." , e ) ; } this . _subscriptionArn = getSNSClient ( ) . getCachedResponseMetadata ( subRequest ) . toString ( ) ; LOGGER . info ( "SubscribeRequest - " + _subscriptionArn ) ; } | Attempt to subscript to the Argo SNS topic . |
14,552 | @ SuppressWarnings ( "unchecked" ) public static < T > Matcher < T > eq ( T value ) { return ( Matcher < T > ) new Equals ( value ) ; } | Returns an equals matcher for the given value . |
14,553 | public static URI getLocalBaseURI ( ) { InetAddress localAddr ; String addr ; try { localAddr = InetAddress . getLocalHost ( ) ; addr = localAddr . getHostAddress ( ) ; } catch ( UnknownHostException e ) { LOGGER . warn ( "Issues finding ip address of locahost. Using string 'localhost' for listener address binding" ) ; addr = "localhost" ; } return UriBuilder . fromUri ( "http://" + addr + "/" ) . port ( DEFAULT_PORT ) . build ( ) ; } | Return the local base URI based on the localhost address . |
14,554 | private String calculateSHA256Hash ( byte [ ] msg , int offset , int len ) { Digest digest = platform . getCrypto ( ) . createDigestSHA256 ( ) ; digest . update ( msg , offset , len ) ; int digestLen = digest . getDigestLength ( ) ; byte [ ] hash = new byte [ 2 * digestLen ] ; digest . getDigest ( hash , digestLen , true ) ; for ( int i = 0 ; i != digestLen ; ++ i ) { byte b = hash [ digestLen + i ] ; int d1 = ( b >> 4 ) & 0x0f ; int d2 = b & 0x0f ; hash [ i * 2 ] = ( byte ) ( ( d1 >= 10 ) ? d1 + 'a' - 10 : d1 + '0' ) ; hash [ i * 2 + 1 ] = ( byte ) ( ( d2 >= 10 ) ? d2 + 'a' - 10 : d2 + '0' ) ; } String hashStr = new String ( hash ) ; if ( platform . getLogger ( ) . isEnabled ( ) ) { logBuffer ( "calculateSHA256Hash" , msg , offset , len ) ; logString ( "SHA256 Hash = '" + hashStr + "'" ) ; } return hashStr ; } | Calculate the hash digest of part of a message using the SHA256 algorithm |
14,555 | public void handleIncomingMessage ( byte [ ] data , int offset , int len ) { synchronized ( messageQueue ) { messageQueue . add ( new IncomingMessage ( data , offset , len ) ) ; } synchronized ( lock ) { lock . notifyAll ( ) ; } } | Handle an incoming ZRTP message . Assumes RTP headers and trailing CRC have been stripped by caller |
14,556 | public boolean isTrusted ( ) { if ( delayedCacheUpdate || farEndZID == null ) { return false ; } cache . selectEntry ( farEndZID ) ; return cache . getTrust ( ) ; } | Retrieves the current trust status of the connection . |
14,557 | private void runSession ( ) { if ( ! started ) { logString ( "Thread Starting" ) ; completed = false ; seqNum = getStartSeqNum ( ) ; rtpStack . setNextZrtpSequenceNumber ( getStartSeqNum ( ) ) ; state = ZRTP_STATE_INACTIVE ; initiator = false ; hashMode = HashType . UNDEFINED ; dhMode = KeyAgreementType . DH3K ; sasMode = SasType . UNDEFINED ; farEndZID = null ; farEndH0 = null ; farEndClientID = "" ; isLegacyClient = false ; farEndZID = null ; dhPart1Msg = null ; dhPart2Msg = null ; rxHelloMsg = txHelloMsg = commitMsg = null ; msgConfirm1TX = msgConfirm2TX = null ; msgConfirm1RX = msgConfirm2RX = null ; msgErrorTX = null ; try { dhSuite . setAlgorithm ( KeyAgreementType . DH3K ) ; timerInterval = T1_INITIAL_INTERVAL ; sendHello ( ) ; started = true ; } catch ( Throwable e ) { logError ( "Exception sending initial Hello message: " + e . toString ( ) ) ; e . printStackTrace ( ) ; completed = true ; } while ( ! completed ) { synchronized ( lock ) { try { lock . wait ( ) ; } catch ( Throwable e ) { logString ( "Thread Interrupted E:" + e ) ; } } processQueuedMessages ( ) ; } endSession ( ) ; logString ( "Thread Ending" ) ; } } | Thread run method |
14,558 | public void setSdpHelloHash ( String version , String helloHash ) { if ( ! version . startsWith ( VERSION_PREFIX ) ) { logWarning ( "Different version number: '" + version + "' Ours: '" + VERSION_PREFIX + "' (" + VERSION + ")" ) ; } sdpHelloHashReceived = helloHash ; } | Hash of the Hello message to be received . This hash is sent by the other end as part of the SDP for further verification . |
14,559 | public void untrust ( ) { cache . updateEntry ( cacheExpiryTime ( ) , false , newRS , keepRS2 , null ) ; delayedCacheUpdate = true ; } | Notifies the ZRTP protocol that the user has revoked their trust in the connection . SAS verified flags is set to false and shared secrets with the remote end are removed from the cache . |
14,560 | private boolean verifyHelloMessage ( byte [ ] helloMsg ) { if ( sdpHelloHashReceived != null ) { String hash = calculateSHA256Hash ( helloMsg , 0 , helloMsg . length ) ; boolean hashesMatched = hash . toUpperCase ( ) . equals ( sdpHelloHashReceived . toUpperCase ( ) ) ; if ( platform . getLogger ( ) . isEnabled ( ) ) { if ( hashesMatched ) { logString ( "verifyHelloMessage() Hello hash verified OK." ) ; } else { logString ( "verifyHelloMessage() Hello hash does NOT match hash= '" + hash + "' expected (SDP) = '" + sdpHelloHashReceived + "'" ) ; } } return hashesMatched ; } else { return true ; } } | Verify whether the contents of the Hello message received has not been altered by matching with the SHA256 hash received in SDP exchange . |
14,561 | public IntersectionType intersectionType ( Box box ) { if ( ! _bounds . intersects ( box ) ) { return IntersectionType . NONE ; } int ccount = 0 ; for ( int ii = 0 ; ii < 6 ; ii ++ ) { int inside = 0 ; Plane plane = _planes [ ii ] ; for ( int jj = 0 ; jj < 8 ; jj ++ ) { if ( plane . distance ( box . vertex ( jj , _vertex ) ) <= 0f ) { inside ++ ; } } if ( inside == 0 ) { return IntersectionType . NONE ; } else if ( inside == 8 ) { ccount ++ ; } } return ( ccount == 6 ) ? IntersectionType . CONTAINS : IntersectionType . INTERSECTS ; } | Checks whether the frustum intersects the specified box . |
14,562 | public Box boundsUnderRotation ( Matrix3 matrix , Box result ) { result . setToEmpty ( ) ; for ( Vector3 vertex : _vertices ) { result . addLocal ( matrix . transform ( vertex , _vertex ) ) ; } return result ; } | Computes the bounds of the frustum under the supplied rotation and places the results in the box provided . |
14,563 | protected void updateDerivedState ( ) { _planes [ 0 ] . fromPoints ( _vertices [ 0 ] , _vertices [ 1 ] , _vertices [ 2 ] ) ; _planes [ 1 ] . fromPoints ( _vertices [ 5 ] , _vertices [ 4 ] , _vertices [ 7 ] ) ; _planes [ 2 ] . fromPoints ( _vertices [ 1 ] , _vertices [ 5 ] , _vertices [ 6 ] ) ; _planes [ 3 ] . fromPoints ( _vertices [ 4 ] , _vertices [ 0 ] , _vertices [ 3 ] ) ; _planes [ 4 ] . fromPoints ( _vertices [ 3 ] , _vertices [ 2 ] , _vertices [ 6 ] ) ; _planes [ 5 ] . fromPoints ( _vertices [ 4 ] , _vertices [ 5 ] , _vertices [ 1 ] ) ; _bounds . fromPoints ( _vertices ) ; } | Sets the planes and bounding box of the frustum based on its vertices . |
14,564 | public void setArcType ( int type ) { if ( type != OPEN && type != CHORD && type != PIE ) { throw new IllegalArgumentException ( "Invalid Arc type: " + type ) ; } this . type = type ; } | Sets the type of this arc to the specified value . |
14,565 | public void setArc ( IArc arc ) { setArc ( arc . x ( ) , arc . y ( ) , arc . width ( ) , arc . height ( ) , arc . angleStart ( ) , arc . angleExtent ( ) , arc . arcType ( ) ) ; } | Sets the location size angular extents and closure type of this arc to the same values as the supplied arc . |
14,566 | public void setAngleStart ( XY point ) { double angle = Math . atan2 ( point . y ( ) - centerY ( ) , point . x ( ) - centerX ( ) ) ; setAngleStart ( normAngle ( - Math . toDegrees ( angle ) ) ) ; } | Sets the starting angle of this arc to the angle defined by the supplied point relative to the center of this arc . |
14,567 | public static float distance ( float x1 , float y1 , float x2 , float y2 ) { return FloatMath . sqrt ( distanceSq ( x1 , y1 , x2 , y2 ) ) ; } | Returns the Euclidean distance between the specified two points . |
14,568 | public void setRoundRect ( float x , float y , float width , float height , float arcwidth , float archeight ) { this . x = x ; this . y = y ; this . width = width ; this . height = height ; this . arcwidth = arcwidth ; this . archeight = archeight ; } | Sets the frame and corner dimensions of this rectangle to the specified values . |
14,569 | public void setRoundRect ( IRoundRectangle rr ) { setRoundRect ( rr . x ( ) , rr . y ( ) , rr . width ( ) , rr . height ( ) , rr . arcWidth ( ) , rr . arcHeight ( ) ) ; } | Sets the frame and corner dimensions of this rectangle to be equal to those of the supplied rectangle . |
14,570 | public static float pointLineDistSq ( float px , float py , float x1 , float y1 , float x2 , float y2 ) { x2 -= x1 ; y2 -= y1 ; px -= x1 ; py -= y1 ; float s = px * y2 - py * x2 ; return ( s * s ) / ( x2 * x2 + y2 * y2 ) ; } | Returns the square of the distance from the specified point to the specified line . |
14,571 | public static float pointLineDist ( float px , float py , float x1 , float y1 , float x2 , float y2 ) { return FloatMath . sqrt ( pointLineDistSq ( px , py , x1 , y1 , x2 , y2 ) ) ; } | Returns the distance from the specified point to the specified line . |
14,572 | public static float pointSegDistSq ( float px , float py , float x1 , float y1 , float x2 , float y2 ) { x2 -= x1 ; y2 -= y1 ; px -= x1 ; py -= y1 ; float dist ; if ( px * x2 + py * y2 <= 0.0 ) { dist = px * px + py * py ; } else { px = x2 - px ; py = y2 - py ; if ( px * x2 + py * y2 <= 0.0 ) { dist = px * px + py * py ; } else { dist = px * y2 - py * x2 ; dist = dist * dist / ( x2 * x2 + y2 * y2 ) ; } } if ( dist < 0 ) { dist = 0 ; } return dist ; } | Returns the square of the distance between the specified point and the specified line segment . |
14,573 | public static float pointSegDist ( float px , float py , float x1 , float y1 , float x2 , float y2 ) { return FloatMath . sqrt ( pointSegDistSq ( px , py , x1 , y1 , x2 , y2 ) ) ; } | Returns the distance between the specified point and the specified line segment . |
14,574 | public static ZrtpCacheEntry fromString ( String key , String value ) { String data = null ; String number = null ; int sep = value . indexOf ( ',' ) ; if ( sep > 0 ) { data = value . substring ( 0 , sep ) ; number = value . substring ( sep + 1 ) ; } else { data = value ; number = "" ; } byte [ ] buffer = new byte [ data . length ( ) / 2 ] ; for ( int i = 0 ; i < buffer . length ; i ++ ) { buffer [ i ] = ( byte ) Short . parseShort ( data . substring ( i * 2 , i * 2 + 2 ) , 16 ) ; } AndroidCacheEntry entry = new AndroidCacheEntry ( key , buffer , number ) ; return entry ; } | Create a Cache Entry from the Zid string and the CSV representation of HEX RAW data and phone number |
14,575 | public void setLine ( XY p1 , XY p2 ) { setLine ( p1 . x ( ) , p1 . y ( ) , p2 . x ( ) , p2 . y ( ) ) ; } | Sets the start and end of this line to the specified points . |
14,576 | public void setLine ( float x1 , float y1 , float x2 , float y2 ) { this . x1 = x1 ; this . y1 = y1 ; this . x2 = x2 ; this . y2 = y2 ; } | Sets the start and end point of this line to the specified values . |
14,577 | public void addAccessPoint ( String label , String ip , String port , String url , String dataType , String data ) { AccessPoint ap = new AccessPoint ( ) ; ap . label = label ; ap . ipAddress = ip ; ap . port = port ; ap . url = url ; ap . dataType = dataType ; ap . data = data ; accessPoints . add ( ap ) ; } | Add a new access point for the service record . This structure exists to help deal with network access issues and not multiple contracts . For example a service could have an access point that is different because of multiple NICs that host is accessible on . It s not to have a service accessible by HTTP and HTTPS - those are actually two different service contract IDs . So if you have multiple access points that are actually providing connection Information for different contracts then you ve done something wrong . |
14,578 | public Matrix3 set ( double [ ] values ) { return set ( values [ 0 ] , values [ 1 ] , values [ 2 ] , values [ 3 ] , values [ 4 ] , values [ 5 ] , values [ 6 ] , values [ 7 ] , values [ 8 ] ) ; } | Copies the elements of an array . |
14,579 | public Matrix3 set ( double m00 , double m10 , double m20 , double m01 , double m11 , double m21 , double m02 , double m12 , double m22 ) { this . m00 = m00 ; this . m01 = m01 ; this . m02 = m02 ; this . m10 = m10 ; this . m11 = m11 ; this . m12 = m12 ; this . m20 = m20 ; this . m21 = m21 ; this . m22 = m22 ; return this ; } | Sets all of the matrix s components at once . |
14,580 | private String ipAddressFromURL ( String url , String name ) { String ipAddr = null ; if ( _urlValidator . isValid ( url ) ) { WebTarget resolver = ClientBuilder . newClient ( ) . target ( url ) ; try { ipAddr = resolver . request ( ) . get ( String . class ) ; } catch ( Exception e ) { warn ( "URL Cannot Resolve for resolveIP named [" + name + "]. The requested URL is invalid [" + url + "]." ) ; } } else { warn ( "The requested URL for resolveIP named [" + name + "] is invalid [" + url + "]." ) ; } return ipAddr ; } | Resolve the IP address from a URL . |
14,581 | public RtpPacket protect ( RtpPacket packet ) { if ( txSessEncKey == null ) { log ( "protect() called out of session" ) ; return null ; } if ( packet == null ) { log ( "protect() called with null RTP packet" ) ; return null ; } int seqNum = packet . getSequenceNumber ( ) ; if ( seqNum == 0 ) { rollOverCounter += 0x10000L ; } RtpPacket retPacket = null ; if ( ! transformPayload ( packet , rollOverCounter , seqNum , txSessSaltKey , true ) ) { log ( "protect() transformPayload error, encryption failed" ) ; return null ; } byte [ ] auth = null ; try { auth = getAuthentication ( packet , rollOverCounter , true ) ; if ( VERBOSE ) { log ( "protect() Adding HMAC:" ) ; logBuffer ( "auth:" , auth ) ; } } catch ( Throwable e ) { logError ( "protect() Authentication error EX: " + e ) ; e . printStackTrace ( ) ; return null ; } System . arraycopy ( auth , 0 , packet . getPacket ( ) , packet . getLength ( ) , getHmacAuthSizeBytes ( ) ) ; packet . setPayloadLength ( packet . getPayloadLength ( ) + getHmacAuthSizeBytes ( ) ) ; retPacket = packet ; if ( SUPER_VERBOSE ) { logBuffer ( "protect() After adding HMAC: " , retPacket . getPacket ( ) ) ; } return retPacket ; } | Protects an RTP Packet by encrypting payload and adds any additional SRTP trailer information |
14,582 | public int startNewSession ( ) { if ( txSessEncKey != null ) return SESSION_ERROR_ALREADY_ACTIVE ; if ( ( txMasterSalt == null ) || ( rxMasterSalt == null ) ) return SESSION_ERROR_MASTER_SALT_UDNEFINED ; if ( ( txMasterKey == null ) || ( rxMasterKey == null ) ) return SESSION_ERROR_MASTER_SALT_UDNEFINED ; if ( ! txSessionKeyDerivation ( ) ) { log ( "startNewSession txSessionKeyDerivation failed" ) ; return SESSION_ERROR_KEY_DERIVATION_FAILED ; } try { txEncryptorSuite = platform . getCrypto ( ) . createEncryptorSuite ( txSessEncKey , initVector ) ; txHMAC = platform . getCrypto ( ) . createHMACSHA1 ( txSessAuthKey ) ; } catch ( Throwable e ) { log ( "startNewSession failed to create Tx encryptor" ) ; return SESSION_ERROR_RESOURCE_CREATION_PROBLEM ; } replayWindow = platform . getUtils ( ) . createSortedVector ( ) ; receivedFirst = false ; rollOverCounter = 0 ; rxRoc = 0 ; txIV = new byte [ 16 ] ; rxIV = new byte [ 16 ] ; txEncOut = new byte [ 16 ] ; rxEncOut = new byte [ 16 ] ; return SESSION_OK ; } | Starts a new SRTP Session using the preset master key and salt to generate the session keys |
14,583 | public static boolean linesIntersect ( double x1 , double y1 , double x2 , double y2 , double x3 , double y3 , double x4 , double y4 ) { x2 -= x1 ; y2 -= y1 ; x3 -= x1 ; y3 -= y1 ; x4 -= x1 ; y4 -= y1 ; double AvB = x2 * y3 - x3 * y2 ; double AvC = x2 * y4 - x4 * y2 ; if ( AvB == 0 && AvC == 0 ) { if ( x2 != 0 ) { return ( x4 * x3 <= 0 ) || ( ( x3 * x2 >= 0 ) && ( x2 > 0 ? x3 <= x2 || x4 <= x2 : x3 >= x2 || x4 >= x2 ) ) ; } if ( y2 != 0 ) { return ( y4 * y3 <= 0 ) || ( ( y3 * y2 >= 0 ) && ( y2 > 0 ? y3 <= y2 || y4 <= y2 : y3 >= y2 || y4 >= y2 ) ) ; } return false ; } double BvC = x3 * y4 - x4 * y3 ; return ( AvB * AvC <= 0 ) && ( BvC * ( AvB + BvC - AvC ) <= 0 ) ; } | Returns true if the specified two line segments intersect . |
14,584 | public static boolean lineIntersectsRect ( double x1 , double y1 , double x2 , double y2 , double rx , double ry , double rw , double rh ) { double rr = rx + rw , rb = ry + rh ; return ( rx <= x1 && x1 <= rr && ry <= y1 && y1 <= rb ) || ( rx <= x2 && x2 <= rr && ry <= y2 && y2 <= rb ) || linesIntersect ( rx , ry , rr , rb , x1 , y1 , x2 , y2 ) || linesIntersect ( rr , ry , rx , rb , x1 , y1 , x2 , y2 ) ; } | Returns true if the specified line segment intersects the specified rectangle . |
14,585 | public Quaternion set ( IQuaternion other ) { return set ( other . x ( ) , other . y ( ) , other . z ( ) , other . w ( ) ) ; } | Copies the elements of another quaternion . |
14,586 | public Quaternion fromVectors ( IVector3 from , IVector3 to ) { float angle = from . angle ( to ) ; if ( angle < MathUtil . EPSILON ) { return set ( IDENTITY ) ; } if ( angle <= FloatMath . PI - MathUtil . EPSILON ) { return fromAngleAxis ( angle , from . cross ( to ) . normalizeLocal ( ) ) ; } Vector3 axis = new Vector3 ( 0f , from . z ( ) , - from . y ( ) ) ; float length = axis . length ( ) ; return fromAngleAxis ( FloatMath . PI , length < MathUtil . EPSILON ? axis . set ( - from . z ( ) , 0f , from . x ( ) ) . normalizeLocal ( ) : axis . multLocal ( 1f / length ) ) ; } | Sets this quaternion to the rotation of the first normalized vector onto the second . |
14,587 | public Quaternion fromAnglesXZ ( float x , float z ) { float hx = x * 0.5f , hz = z * 0.5f ; float sx = FloatMath . sin ( hx ) , cx = FloatMath . cos ( hx ) ; float sz = FloatMath . sin ( hz ) , cz = FloatMath . cos ( hz ) ; return set ( cz * sx , sz * sx , sz * cx , cz * cx ) ; } | Sets this quaternion to one that first rotates about x by the specified number of radians then rotates about z by the specified number of radians . |
14,588 | public Quaternion fromAnglesXY ( float x , float y ) { float hx = x * 0.5f , hy = y * 0.5f ; float sx = FloatMath . sin ( hx ) , cx = FloatMath . cos ( hx ) ; float sy = FloatMath . sin ( hy ) , cy = FloatMath . cos ( hy ) ; return set ( cy * sx , sy * cx , - sy * sx , cy * cx ) ; } | Sets this quaternion to one that first rotates about x by the specified number of radians then rotates about y by the specified number of radians . |
14,589 | public static float normalizeAnglePositive ( float a ) { while ( a < 0f ) { a += TWO_PI ; } while ( a >= TWO_PI ) { a -= TWO_PI ; } return a ; } | Returns an angle in the range [ 0 2pi ) . |
14,590 | public ProbeWrapper unmarshal ( String payload ) throws ProbeParseException { Probe xmlProbe = parseProbePayload ( payload ) ; ProbeWrapper probe = new ProbeWrapper ( xmlProbe . getId ( ) ) ; probe . setClientId ( xmlProbe . getClient ( ) ) ; probe . setDESVersion ( xmlProbe . getDESVersion ( ) ) ; probe . setRespondToPayloadType ( xmlProbe . getRespondToPayloadType ( ) ) ; if ( xmlProbe . getRa ( ) != null ) { for ( RespondTo respondToUrl : xmlProbe . getRa ( ) . getRespondTo ( ) ) { probe . addRespondToURL ( respondToUrl . getLabel ( ) , respondToUrl . getValue ( ) ) ; } } if ( xmlProbe . getScids ( ) != null ) { for ( String scid : xmlProbe . getScids ( ) . getServiceContractID ( ) ) { probe . addServiceContractID ( scid ) ; } } if ( xmlProbe . getSiids ( ) != null ) { for ( String siid : xmlProbe . getSiids ( ) . getServiceInstanceID ( ) ) { probe . addServiceInstanceID ( siid ) ; } } return probe ; } | Create a new ProbeWrapper from the wireline payload . |
14,591 | public void fizzbuzzConditional ( ) { IntStream . range ( 0 , 101 ) . forEach ( n -> { if ( n % ( 3 * 5 ) == 0 ) { System . out . println ( "FizzBuzz" ) ; } else if ( n % 3 == 0 ) { System . out . println ( "Fizz" ) ; } else if ( n % 5 == 0 ) { System . out . println ( "Buzz" ) ; } else { System . out . println ( n ) ; } } ) ; } | Fizzbuzz benchmark using a conditional . |
14,592 | public void fizzBuzzPatternMatching ( ) { IntStream . range ( 0 , 101 ) . forEach ( n -> System . out . println ( match ( Tuple2 . of ( n % 3 , n % 5 ) ) . when ( tuple2 ( eq ( 0 ) , eq ( 0 ) ) ) . get ( ( ) -> "FizzBuzz" ) . when ( tuple2 ( eq ( 0 ) , any ( ) ) ) . get ( y -> "Fizz" ) . when ( tuple2 ( any ( ) , eq ( 0 ) ) ) . get ( x -> "Buzz" ) . orElse ( String . valueOf ( n ) ) . getMatch ( ) ) ) ; } | Fizzbuzz benchmark using motif pattern matching . |
14,593 | public Quaternion set ( double x , double y , double z , double w ) { this . x = x ; this . y = y ; this . z = z ; this . w = w ; return this ; } | Sets all of the elements of the quaternion . |
14,594 | public Quaternion fromAxes ( IVector3 nx , IVector3 ny , IVector3 nz ) { double nxx = nx . x ( ) , nyy = ny . y ( ) , nzz = nz . z ( ) ; double x2 = ( 1f + nxx - nyy - nzz ) / 4f ; double y2 = ( 1f - nxx + nyy - nzz ) / 4f ; double z2 = ( 1f - nxx - nyy + nzz ) / 4f ; double w2 = ( 1f - x2 - y2 - z2 ) ; return set ( Math . sqrt ( x2 ) * ( ny . z ( ) >= nz . y ( ) ? + 1f : - 1f ) , Math . sqrt ( y2 ) * ( nz . x ( ) >= nx . z ( ) ? + 1f : - 1f ) , Math . sqrt ( z2 ) * ( nx . y ( ) >= ny . x ( ) ? + 1f : - 1f ) , Math . sqrt ( w2 ) ) ; } | Sets this quaternion to one that rotates onto the given unit axes . |
14,595 | public static Point closestInteriorPoint ( IRectangle r , IPoint p ) { return closestInteriorPoint ( r , p , new Point ( ) ) ; } | Computes and returns the point inside the bounds of the rectangle that s closest to the given point . |
14,596 | public boolean isRectangular ( ) { return ( _isPolygonal ) && ( _rulesSize <= 5 ) && ( _coordsSize <= 8 ) && ( _coords [ 1 ] == _coords [ 3 ] ) && ( _coords [ 7 ] == _coords [ 5 ] ) && ( _coords [ 0 ] == _coords [ 6 ] ) && ( _coords [ 2 ] == _coords [ 4 ] ) ; } | Returns true if this area is rectangular . |
14,597 | public void add ( Area area ) { if ( area == null || area . isEmpty ( ) ) { return ; } else if ( isEmpty ( ) ) { copy ( area , this ) ; return ; } if ( isPolygonal ( ) && area . isPolygonal ( ) ) { addPolygon ( area ) ; } else { addCurvePolygon ( area ) ; } if ( areaBoundsSquare ( ) < GeometryUtil . EPSILON ) { reset ( ) ; } } | Adds the supplied area to this area . |
14,598 | public void intersect ( Area area ) { if ( area == null ) { return ; } else if ( isEmpty ( ) || area . isEmpty ( ) ) { reset ( ) ; return ; } if ( isPolygonal ( ) && area . isPolygonal ( ) ) { intersectPolygon ( area ) ; } else { intersectCurvePolygon ( area ) ; } if ( areaBoundsSquare ( ) < GeometryUtil . EPSILON ) { reset ( ) ; } } | Intersects the supplied area with this area . |
14,599 | public void subtract ( Area area ) { if ( area == null || isEmpty ( ) || area . isEmpty ( ) ) { return ; } if ( isPolygonal ( ) && area . isPolygonal ( ) ) { subtractPolygon ( area ) ; } else { subtractCurvePolygon ( area ) ; } if ( areaBoundsSquare ( ) < GeometryUtil . EPSILON ) { reset ( ) ; } } | Subtracts the supplied area from this area . |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.