idx
int64
0
165k
question
stringlengths
73
5.81k
target
stringlengths
5
918
5,100
Stream < String > getRessourceLines ( Class < ? > clazz , String filepath ) { try ( final BufferedReader fileReader = new BufferedReader ( new InputStreamReader ( clazz . getResourceAsStream ( filepath ) , StandardCharsets . UTF_8 ) ) ) { return fileReader . lines ( ) . collect ( Collectors . toList ( ) ) . stream ( ) ; } catch ( IOException e ) { throw new RuntimeException ( e ) ; } }
Package protected for testing purposes
5,101
public int count ( final String word ) { if ( word == null ) { throw new NullPointerException ( "the word parameter was null." ) ; } else if ( word . length ( ) == 0 ) { return 0 ; } else if ( word . length ( ) == 1 ) { return 1 ; } final String lowerCase = word . toLowerCase ( Locale . ENGLISH ) ; if ( exceptions . containsKey ( lowerCase ) ) { return exceptions . get ( lowerCase ) ; } final String prunned ; if ( lowerCase . charAt ( lowerCase . length ( ) - 1 ) == 'e' ) { prunned = lowerCase . substring ( 0 , lowerCase . length ( ) - 1 ) ; } else { prunned = lowerCase ; } int count = 0 ; boolean prevIsVowel = false ; for ( char c : prunned . toCharArray ( ) ) { final boolean isVowel = vowels . contains ( c ) ; if ( isVowel && ! prevIsVowel ) { ++ count ; } prevIsVowel = isVowel ; } count += addSyls . stream ( ) . filter ( pattern -> pattern . matcher ( prunned ) . find ( ) ) . count ( ) ; count -= subSyls . stream ( ) . filter ( pattern -> pattern . matcher ( prunned ) . find ( ) ) . count ( ) ; return count > 0 ? count : 1 ; }
Main point of this library . Method to count the number of syllables of a word using a fallback method as documented at the class level of this documentation .
5,102
public static void reset ( ) { globalBeanBoxContext . close ( ) ; globalNextAllowAnnotation = true ; globalNextAllowSpringJsrAnnotation = true ; globalNextValueTranslator = new DefaultValueTranslator ( ) ; CREATE_METHOD = "create" ; CONFIG_METHOD = "config" ; globalBeanBoxContext = new BeanBoxContext ( ) ; }
Reset global variants setting note this method only close globalBeanBoxContext if created many BeanBoxContext instance need close them manually
5,103
public void close ( ) { for ( Entry < Object , Object > singletons : singletonCache . entrySet ( ) ) { Object key = singletons . getKey ( ) ; Object obj = singletons . getValue ( ) ; if ( key instanceof BeanBox ) { BeanBox box = ( BeanBox ) key ; if ( box . getPreDestroy ( ) != null ) try { box . getPreDestroy ( ) . invoke ( obj ) ; } catch ( Exception e ) { } } } bindCache . clear ( ) ; beanBoxMetaCache . clear ( ) ; singletonCache . clear ( ) ; }
Close current BeanBoxContext clear singlton cache call predestory methods for each singleton if they have
5,104
public RequestOptions addHeader ( String name , String value ) { if ( headers == null ) { headers = new CaseInsensitiveHeaders ( ) ; } headers . add ( name , value ) ; return this ; }
Add a header to the request . Can be called multiple times to add multiple headers
5,105
public static Document parseDocument ( String url ) throws IOException { return Jsoup . connect ( url ) . timeout ( Constants . PARSING_TIMEOUT ) . userAgent ( "Mozilla/5.0 (Windows; U; WindowsNT 5.1; en-US; rv1.8.1.6) Gecko/20070725 Firefox/2.0.0.6" ) . referrer ( "http://www.google.com" ) . get ( ) ; }
PArses a URL with all the required parameters
5,106
public static void downloadImageToFile ( String url , Path file ) throws IOException { if ( Files . exists ( file . getParent ( ) ) ) { URL urlObject = new URL ( url ) ; URLConnection connection = urlObject . openConnection ( ) ; connection . setRequestProperty ( "User-Agent" , "Mozilla/5.0 (Windows; U; WindowsNT 5.1; en-US; rv1.8.1.6) Gecko/20070725 Firefox/2.0.0.6" ) ; connection . setRequestProperty ( "Referer" , "http://www.google.com" ) ; FileUtils . copyInputStreamToFile ( connection . getInputStream ( ) , file . toFile ( ) ) ; } }
Downloads an image to a file with the adequate headers to the http query
5,107
static String getSherdogPageUrl ( Document doc ) { String url = Optional . ofNullable ( doc . head ( ) ) . map ( h -> h . select ( "meta" ) ) . map ( es -> es . stream ( ) . filter ( e -> e . attr ( "property" ) . equalsIgnoreCase ( "og:url" ) ) . findFirst ( ) . orElse ( null ) ) . map ( m -> m . attr ( "content" ) ) . orElse ( "" ) ; if ( url . startsWith ( "//" ) ) { url = url . replaceFirst ( "//" , "http://" ) ; } return url . replace ( "http://" , "https://" ) ; }
Gets the url of a page using the meta tags in head
5,108
public void visitJumpInsn ( final int opcode , final Label lbl ) { super . visitJumpInsn ( opcode , lbl ) ; LabelNode ln = ( ( JumpInsnNode ) instructions . getLast ( ) ) . label ; if ( opcode == JSR && ! subroutineHeads . containsKey ( ln ) ) { subroutineHeads . put ( ln , new BitSet ( ) ) ; } }
Detects a JSR instruction and sets a flag to indicate we will need to do inlining .
5,109
public void visitEnd ( ) { if ( ! subroutineHeads . isEmpty ( ) ) { markSubroutines ( ) ; if ( LOGGING ) { log ( mainSubroutine . toString ( ) ) ; Iterator < BitSet > it = subroutineHeads . values ( ) . iterator ( ) ; while ( it . hasNext ( ) ) { BitSet sub = it . next ( ) ; log ( sub . toString ( ) ) ; } } emitCode ( ) ; } if ( mv != null ) { accept ( mv ) ; } }
If any JSRs were seen triggers the inlining process . Otherwise forwards the byte codes untouched .
5,110
private void emitCode ( ) { LinkedList < Instantiation > worklist = new LinkedList < Instantiation > ( ) ; worklist . add ( new Instantiation ( null , mainSubroutine ) ) ; InsnList newInstructions = new InsnList ( ) ; List < TryCatchBlockNode > newTryCatchBlocks = new ArrayList < TryCatchBlockNode > ( ) ; List < LocalVariableNode > newLocalVariables = new ArrayList < LocalVariableNode > ( ) ; while ( ! worklist . isEmpty ( ) ) { Instantiation inst = worklist . removeFirst ( ) ; emitSubroutine ( inst , worklist , newInstructions , newTryCatchBlocks , newLocalVariables ) ; } instructions = newInstructions ; tryCatchBlocks = newTryCatchBlocks ; localVariables = newLocalVariables ; }
Creates the new instructions inlining each instantiation of each subroutine until the code is fully elaborated .
5,111
private static void getDescriptor ( final StringBuffer buf , final Class < ? > c ) { Class < ? > d = c ; while ( true ) { if ( d . isPrimitive ( ) ) { char car ; if ( d == Integer . TYPE ) { car = 'I' ; } else if ( d == Void . TYPE ) { car = 'V' ; } else if ( d == Boolean . TYPE ) { car = 'Z' ; } else if ( d == Byte . TYPE ) { car = 'B' ; } else if ( d == Character . TYPE ) { car = 'C' ; } else if ( d == Short . TYPE ) { car = 'S' ; } else if ( d == Double . TYPE ) { car = 'D' ; } else if ( d == Float . TYPE ) { car = 'F' ; } else { car = 'J' ; } buf . append ( car ) ; return ; } else if ( d . isArray ( ) ) { buf . append ( '[' ) ; d = d . getComponentType ( ) ; } else { buf . append ( 'L' ) ; String name = d . getName ( ) ; int len = name . length ( ) ; for ( int i = 0 ; i < len ; ++ i ) { char car = name . charAt ( i ) ; buf . append ( car == '.' ? '/' : car ) ; } buf . append ( ';' ) ; return ; } } }
Appends the descriptor of the given class to the given string buffer .
5,112
static Handler remove ( Handler h , Label start , Label end ) { if ( h == null ) { return null ; } else { h . next = remove ( h . next , start , end ) ; } int hstart = h . start . position ; int hend = h . end . position ; int s = start . position ; int e = end == null ? Integer . MAX_VALUE : end . position ; if ( s < hend && e > hstart ) { if ( s <= hstart ) { if ( e >= hend ) { h = h . next ; } else { h . start = end ; } } else if ( e >= hend ) { h . end = start ; } else { Handler g = new Handler ( ) ; g . start = end ; g . end = h . end ; g . handler = h . handler ; g . desc = h . desc ; g . type = h . type ; g . next = h . next ; h . end = start ; h . next = g ; } } return h ; }
Removes the range between start and end from the given exception handlers .
5,113
public void check ( final int api ) { if ( api == Opcodes . ASM4 ) { if ( visibleTypeAnnotations != null && visibleTypeAnnotations . size ( ) > 0 ) { throw new RuntimeException ( ) ; } if ( invisibleTypeAnnotations != null && invisibleTypeAnnotations . size ( ) > 0 ) { throw new RuntimeException ( ) ; } for ( FieldNode f : fields ) { f . check ( api ) ; } for ( MethodNode m : methods ) { m . check ( api ) ; } } }
Checks that this class node is compatible with the given ASM API version . This methods checks that this node and all its nodes recursively do not contain elements that were introduced in more recent versions of the ASM API than the given version .
5,114
public void accept ( final ClassVisitor cv ) { String [ ] interfaces = new String [ this . interfaces . size ( ) ] ; this . interfaces . toArray ( interfaces ) ; cv . visit ( version , access , name , signature , superName , interfaces ) ; if ( sourceFile != null || sourceDebug != null ) { cv . visitSource ( sourceFile , sourceDebug ) ; } if ( outerClass != null ) { cv . visitOuterClass ( outerClass , outerMethod , outerMethodDesc ) ; } int i , n ; n = visibleAnnotations == null ? 0 : visibleAnnotations . size ( ) ; for ( i = 0 ; i < n ; ++ i ) { AnnotationNode an = visibleAnnotations . get ( i ) ; an . accept ( cv . visitAnnotation ( an . desc , true ) ) ; } n = invisibleAnnotations == null ? 0 : invisibleAnnotations . size ( ) ; for ( i = 0 ; i < n ; ++ i ) { AnnotationNode an = invisibleAnnotations . get ( i ) ; an . accept ( cv . visitAnnotation ( an . desc , false ) ) ; } n = visibleTypeAnnotations == null ? 0 : visibleTypeAnnotations . size ( ) ; for ( i = 0 ; i < n ; ++ i ) { TypeAnnotationNode an = visibleTypeAnnotations . get ( i ) ; an . accept ( cv . visitTypeAnnotation ( an . typeRef , an . typePath , an . desc , true ) ) ; } n = invisibleTypeAnnotations == null ? 0 : invisibleTypeAnnotations . size ( ) ; for ( i = 0 ; i < n ; ++ i ) { TypeAnnotationNode an = invisibleTypeAnnotations . get ( i ) ; an . accept ( cv . visitTypeAnnotation ( an . typeRef , an . typePath , an . desc , false ) ) ; } n = attrs == null ? 0 : attrs . size ( ) ; for ( i = 0 ; i < n ; ++ i ) { cv . visitAttribute ( attrs . get ( i ) ) ; } for ( i = 0 ; i < innerClasses . size ( ) ; ++ i ) { innerClasses . get ( i ) . accept ( cv ) ; } for ( i = 0 ; i < fields . size ( ) ; ++ i ) { fields . get ( i ) . accept ( cv ) ; } for ( i = 0 ; i < methods . size ( ) ; ++ i ) { methods . get ( i ) . accept ( cv ) ; } cv . visitEnd ( ) ; }
Makes the given class visitor visit this class .
5,115
public void run ( ) { this . running = true ; while ( this . running ) { DatagramPacket packet = new DatagramPacket ( this . buf , this . buf . length ) ; try { this . socket . receive ( packet ) ; } catch ( IOException ignored ) { continue ; } byte [ ] worker = new byte [ 2 ] ; System . arraycopy ( this . buf , 2 , worker , 0 , 2 ) ; int length = ( int ) ByteArray . fromBytes ( worker ) ; worker = new byte [ length ] ; System . arraycopy ( this . buf , 0 , worker , 0 , length ) ; Command msg = new Command ( worker , tk ) ; InetAddress address = packet . getAddress ( ) ; int port = packet . getPort ( ) ; int timeStamp = ( int ) ( System . currentTimeMillis ( ) / 1000L ) ; Response resp ; if ( msg . isHello ( ) ) { resp = new Response ( this . tk , this . deviceId , timeStamp ) ; } else { if ( msg . getDeviceID ( ) != this . deviceId ) continue ; Object data = executeCommand ( msg . getMethod ( ) , msg . getParams ( ) ) ; if ( data == null ) { data = "unknown_method" ; } resp = new Response ( this . tk , this . deviceId , timeStamp , msg . getPayloadID ( ) , data ) ; } byte [ ] respMsg = resp . create ( ) ; System . arraycopy ( respMsg , 0 , this . buf , 0 , respMsg . length ) ; packet = new DatagramPacket ( buf , respMsg . length , address , port ) ; try { this . socket . send ( packet ) ; } catch ( IOException ignored ) { } } this . socket . close ( ) ; }
Start the de . sg_o . app . miio . server .
5,116
public final void startElement ( final String ns , final String lName , final String qName , final Attributes list ) throws SAXException { String name = lName == null || lName . length ( ) == 0 ? qName : lName ; StringBuffer sb = new StringBuffer ( match ) ; if ( match . length ( ) > 0 ) { sb . append ( '/' ) ; } sb . append ( name ) ; match = sb . toString ( ) ; Rule r = ( Rule ) RULES . match ( match ) ; if ( r != null ) { r . begin ( name , list ) ; } }
Process notification of the start of an XML element being reached .
5,117
public final void endElement ( final String ns , final String lName , final String qName ) throws SAXException { String name = lName == null || lName . length ( ) == 0 ? qName : lName ; Rule r = ( Rule ) RULES . match ( match ) ; if ( r != null ) { r . end ( name ) ; } int slash = match . lastIndexOf ( '/' ) ; if ( slash >= 0 ) { match = match . substring ( 0 , slash ) ; } else { match = "" ; } }
Process notification of the end of an XML element being reached .
5,118
public AbstractInsnNode get ( final int index ) { if ( index < 0 || index >= size ) { throw new IndexOutOfBoundsException ( ) ; } if ( cache == null ) { cache = toArray ( ) ; } return cache [ index ] ; }
Returns the instruction whose index is given . This method builds a cache of the instructions in this list to avoid scanning the whole list each time it is called . Once the cache is built this method run in constant time . This cache is invalidated by all the methods that modify the list .
5,119
public void accept ( final MethodVisitor mv ) { AbstractInsnNode insn = first ; while ( insn != null ) { insn . accept ( mv ) ; insn = insn . next ; } }
Makes the given visitor visit all of the instructions in this list .
5,120
public AbstractInsnNode [ ] toArray ( ) { int i = 0 ; AbstractInsnNode elem = first ; AbstractInsnNode [ ] insns = new AbstractInsnNode [ size ] ; while ( elem != null ) { insns [ i ] = elem ; elem . index = i ++ ; elem = elem . next ; } return insns ; }
Returns an array containing all of the instructions in this list .
5,121
public void set ( final AbstractInsnNode location , final AbstractInsnNode insn ) { AbstractInsnNode next = location . next ; insn . next = next ; if ( next != null ) { next . prev = insn ; } else { last = insn ; } AbstractInsnNode prev = location . prev ; insn . prev = prev ; if ( prev != null ) { prev . next = insn ; } else { first = insn ; } if ( cache != null ) { int index = location . index ; cache [ index ] = insn ; insn . index = index ; } else { insn . index = 0 ; } location . index = - 1 ; location . prev = null ; location . next = null ; }
Replaces an instruction of this list with another instruction .
5,122
public void add ( final AbstractInsnNode insn ) { ++ size ; if ( last == null ) { first = insn ; last = insn ; } else { last . next = insn ; insn . prev = last ; } last = insn ; cache = null ; insn . index = 0 ; }
Adds the given instruction to the end of this list .
5,123
public void insert ( final AbstractInsnNode insn ) { ++ size ; if ( first == null ) { first = insn ; last = insn ; } else { first . prev = insn ; insn . next = first ; } first = insn ; cache = null ; insn . index = 0 ; }
Inserts the given instruction at the begining of this list .
5,124
public void insert ( final InsnList insns ) { if ( insns . size == 0 ) { return ; } size += insns . size ; if ( first == null ) { first = insns . first ; last = insns . last ; } else { AbstractInsnNode elem = insns . last ; first . prev = elem ; elem . next = first ; first = insns . first ; } cache = null ; insns . removeAll ( false ) ; }
Inserts the given instructions at the begining of this list .
5,125
public void insert ( final AbstractInsnNode location , final AbstractInsnNode insn ) { ++ size ; AbstractInsnNode next = location . next ; if ( next == null ) { last = insn ; } else { next . prev = insn ; } location . next = insn ; insn . next = next ; insn . prev = location ; cache = null ; insn . index = 0 ; }
Inserts the given instruction after the specified instruction .
5,126
public void insert ( final AbstractInsnNode location , final InsnList insns ) { if ( insns . size == 0 ) { return ; } size += insns . size ; AbstractInsnNode ifirst = insns . first ; AbstractInsnNode ilast = insns . last ; AbstractInsnNode next = location . next ; if ( next == null ) { last = ilast ; } else { next . prev = ilast ; } location . next = ifirst ; ilast . next = next ; ifirst . prev = location ; cache = null ; insns . removeAll ( false ) ; }
Inserts the given instructions after the specified instruction .
5,127
public void insertBefore ( final AbstractInsnNode location , final AbstractInsnNode insn ) { ++ size ; AbstractInsnNode prev = location . prev ; if ( prev == null ) { first = insn ; } else { prev . next = insn ; } location . prev = insn ; insn . next = location ; insn . prev = prev ; cache = null ; insn . index = 0 ; }
Inserts the given instruction before the specified instruction .
5,128
public void insertBefore ( final AbstractInsnNode location , final InsnList insns ) { if ( insns . size == 0 ) { return ; } size += insns . size ; AbstractInsnNode ifirst = insns . first ; AbstractInsnNode ilast = insns . last ; AbstractInsnNode prev = location . prev ; if ( prev == null ) { first = ifirst ; } else { prev . next = ifirst ; } location . prev = ilast ; ilast . next = location ; ifirst . prev = prev ; cache = null ; insns . removeAll ( false ) ; }
Inserts the given instructions before the specified instruction .
5,129
public void remove ( final AbstractInsnNode insn ) { -- size ; AbstractInsnNode next = insn . next ; AbstractInsnNode prev = insn . prev ; if ( next == null ) { if ( prev == null ) { first = null ; last = null ; } else { prev . next = null ; last = prev ; } } else { if ( prev == null ) { first = next ; next . prev = null ; } else { prev . next = next ; next . prev = prev ; } } cache = null ; insn . index = - 1 ; insn . prev = null ; insn . next = null ; }
Removes the given instruction from this list .
5,130
void removeAll ( final boolean mark ) { if ( mark ) { AbstractInsnNode insn = first ; while ( insn != null ) { AbstractInsnNode next = insn . next ; insn . index = - 1 ; insn . prev = null ; insn . next = null ; insn = next ; } } size = 0 ; first = null ; last = null ; cache = null ; }
Removes all of the instructions of this list .
5,131
public Event parseDocument ( Document doc ) { Event event = new Event ( ) ; event . setSherdogUrl ( ParserUtils . getSherdogPageUrl ( doc ) ) ; Elements name = doc . select ( ".header .section_title h1 span[itemprop=\"name\"]" ) ; event . setName ( name . html ( ) . replace ( "<br>" , " - " ) ) ; Elements date = doc . select ( ".authors_info .date meta[itemprop=\"startDate\"]" ) ; try { event . setDate ( ParserUtils . getDateFromStringToZoneId ( date . first ( ) . attr ( "content" ) , ZONE_ID ) ) ; } catch ( DateTimeParseException e ) { logger . error ( "Couldn't parse date" , e ) ; } getFights ( doc , event ) ; Element org = doc . select ( ".header .section_title h2 a" ) . get ( 0 ) ; SherdogBaseObject organization = new SherdogBaseObject ( ) ; organization . setSherdogUrl ( org . attr ( "abs:href" ) ) ; organization . setName ( org . select ( "span[itemprop=\"name\"]" ) . get ( 0 ) . html ( ) ) ; event . setOrganization ( organization ) ; return event ; }
parses an event from a jsoup document
5,132
private void getFights ( Document doc , Event event ) { logger . info ( "Getting fights for event #{}[{}]" , event . getSherdogUrl ( ) , event . getName ( ) ) ; SherdogBaseObject sEvent = new SherdogBaseObject ( ) ; sEvent . setName ( event . getName ( ) ) ; sEvent . setSherdogUrl ( event . getSherdogUrl ( ) ) ; List < Fight > fights = new ArrayList < > ( ) ; Elements mainFightElement = doc . select ( ".content.event" ) ; Elements fighters = mainFightElement . select ( "h3 a" ) ; SherdogBaseObject mainFighter1 = new SherdogBaseObject ( ) ; Element mainFighter1Element = fighters . get ( 0 ) ; mainFighter1 . setSherdogUrl ( mainFighter1Element . attr ( "abs:href" ) ) ; mainFighter1 . setName ( mainFighter1Element . select ( "span[itemprop=\"name\"]" ) . html ( ) ) ; SherdogBaseObject mainFighter2 = new SherdogBaseObject ( ) ; Element mainFighter2Element = fighters . get ( 1 ) ; mainFighter2 . setSherdogUrl ( mainFighter2Element . attr ( "abs:href" ) ) ; mainFighter2 . setName ( mainFighter2Element . select ( "span[itemprop=\"name\"]" ) . html ( ) ) ; Fight mainFight = new Fight ( ) ; mainFight . setEvent ( sEvent ) ; mainFight . setFighter1 ( mainFighter1 ) ; mainFight . setFighter2 ( mainFighter2 ) ; mainFight . setResult ( ParserUtils . getFightResult ( mainFightElement . first ( ) ) ) ; Elements mainTd = mainFightElement . select ( "td" ) ; if ( mainTd . size ( ) > 0 ) { mainFight . setWinMethod ( mainTd . get ( 1 ) . html ( ) . replaceAll ( "<em(.*)<br>" , "" ) . trim ( ) ) ; mainFight . setWinRound ( Integer . parseInt ( mainTd . get ( 3 ) . html ( ) . replaceAll ( "<em(.*)<br>" , "" ) . trim ( ) ) ) ; mainFight . setWinTime ( mainTd . get ( 4 ) . html ( ) . replaceAll ( "<em(.*)<br>" , "" ) . trim ( ) ) ; } mainFight . setDate ( event . getDate ( ) ) ; fights . add ( mainFight ) ; logger . info ( "Fight added: {}" , mainFight ) ; logger . info ( "Found {} fights" , fights . size ( ) ) ; Elements tds = doc . select ( ".event_match table tr" ) ; fights . addAll ( parseEventFights ( tds , event ) ) ; event . setFights ( fights ) ; }
Gets the fight of the event
5,133
private List < Fight > parseEventFights ( Elements trs , Event event ) { SherdogBaseObject sEvent = new SherdogBaseObject ( ) ; sEvent . setName ( event . getName ( ) ) ; sEvent . setSherdogUrl ( event . getSherdogUrl ( ) ) ; List < Fight > fights = new ArrayList < > ( ) ; if ( trs . size ( ) > 0 ) { trs . remove ( 0 ) ; trs . forEach ( tr -> { Fight fight = new Fight ( ) ; fight . setEvent ( sEvent ) ; fight . setDate ( event . getDate ( ) ) ; Elements tds = tr . select ( "td" ) ; fight . setFighter1 ( getFighter ( tds . get ( FIGHTER1_COLUMN ) ) ) ; fight . setFighter2 ( getFighter ( tds . get ( FIGHTER2_COLUMN ) ) ) ; if ( tds . size ( ) == 7 ) { fight . setResult ( getResult ( tds . get ( FIGHTER1_COLUMN ) ) ) ; fight . setWinMethod ( getMethod ( tds . get ( METHOD_COLUMN ) ) ) ; fight . setWinRound ( getRound ( tds . get ( ROUND_COLUMN ) ) ) ; fight . setWinTime ( getTime ( tds . get ( TIME_COLUMN ) ) ) ; } fights . add ( fight ) ; logger . info ( "Fight added: {}" , fight ) ; } ) ; } return fights ; }
Parse fights of an old event
5,134
private SherdogBaseObject getFighter ( Element td ) { Elements name1 = td . select ( "span[itemprop=\"name\"]" ) ; if ( name1 . size ( ) > 0 ) { String name = name1 . get ( 0 ) . html ( ) ; Elements select = td . select ( "a[itemprop=\"url\"]" ) ; if ( select . size ( ) > 0 ) { String url = select . get ( 0 ) . attr ( "abs:href" ) ; SherdogBaseObject fighter = new SherdogBaseObject ( ) ; fighter . setSherdogUrl ( url ) ; fighter . setName ( name ) ; return fighter ; } } return null ; }
Get a fighter
5,135
private List < Event > parseEvent ( Elements trs , Organization organization ) throws ParseException { List < Event > events = new ArrayList < > ( ) ; if ( trs . size ( ) > 0 ) { trs . remove ( 0 ) ; SherdogBaseObject sOrg = new SherdogBaseObject ( ) ; sOrg . setName ( organization . getName ( ) ) ; sOrg . setSherdogUrl ( organization . getSherdogUrl ( ) ) ; trs . forEach ( tr -> { Event event = new Event ( ) ; boolean addEvent = true ; Elements tds = tr . select ( "td" ) ; event . setOrganization ( sOrg ) ; event . setName ( getEventName ( tds . get ( NAME_COLUMN ) ) ) ; event . setSherdogUrl ( getEventUrl ( tds . get ( NAME_COLUMN ) ) ) ; event . setLocation ( getElementLocation ( tds . get ( LOCATION_COLUMN ) ) ) ; try { event . setDate ( getEventDate ( tds . get ( DATE_COLUMN ) ) ) ; } catch ( DateTimeParseException e ) { logger . error ( "Couldn't fornat date, we shouldn't add the event" , e ) ; addEvent = false ; } if ( addEvent ) { events . add ( event ) ; } } ) ; } return events ; }
Get all the events of an organization
5,136
public void reset ( String name ) { if ( name . equals ( Names . MAIN_BRUSH . toString ( ) ) ) mainBrushWorkTime = 0 ; if ( name . equals ( Names . SENSOR . toString ( ) ) ) sensorTimeSinceCleaning = 0 ; if ( name . equals ( Names . SIDE_BRUSH . toString ( ) ) ) sideBrushWorkTime = 0 ; if ( name . equals ( Names . FILTER . toString ( ) ) ) filterWorkTime = 0 ; }
Reset a consumable .
5,137
public void accept ( final MethodVisitor mv ) { switch ( type ) { case Opcodes . F_NEW : case Opcodes . F_FULL : mv . visitFrame ( type , local . size ( ) , asArray ( local ) , stack . size ( ) , asArray ( stack ) ) ; break ; case Opcodes . F_APPEND : mv . visitFrame ( type , local . size ( ) , asArray ( local ) , 0 , null ) ; break ; case Opcodes . F_CHOP : mv . visitFrame ( type , local . size ( ) , null , 0 , null ) ; break ; case Opcodes . F_SAME : mv . visitFrame ( type , 0 , null , 0 , null ) ; break ; case Opcodes . F_SAME1 : mv . visitFrame ( type , 0 , null , 1 , asArray ( stack ) ) ; break ; } }
Makes the given visitor visit this stack map frame .
5,138
public Organization getOrganizationFromHtml ( String html ) throws IOException , ParseException , SherdogParserException { return new OrganizationParser ( zoneId ) . parseFromHtml ( html ) ; }
Gets an organization via it s sherdog page HTML in case you want to have your own way of getting teh HTML content
5,139
public Event getEventFromHtml ( String html ) throws IOException , ParseException , SherdogParserException { return new EventParser ( zoneId ) . parseFromHtml ( html ) ; }
Gets an event via it s shergog page HTML
5,140
public Event getEvent ( String sherdogUrl ) throws IOException , ParseException , SherdogParserException { return new EventParser ( zoneId ) . parse ( sherdogUrl ) ; }
Gets an event via it s sherdog URL .
5,141
public Fighter getFighterFromHtml ( String html ) throws IOException , ParseException , SherdogParserException { return new FighterParser ( pictureProcessor , zoneId ) . parseFromHtml ( html ) ; }
Get a fighter via it ; s sherdog page HTML
5,142
public Fighter getFighter ( String sherdogUrl ) throws IOException , ParseException , SherdogParserException { return new FighterParser ( pictureProcessor , zoneId ) . parse ( sherdogUrl ) ; }
Get a fighter via it ; s sherdog URL .
5,143
public static Object createProxyBean ( Class < ? > clazz , BeanBox box , BeanBoxContext ctx ) { BeanBoxException . assureNotNull ( clazz , "Try to create a proxy bean, but beanClass not found." ) ; Enhancer enhancer = new Enhancer ( ) ; enhancer . setSuperclass ( clazz ) ; if ( box . getConstructorParams ( ) != null && box . getConstructorParams ( ) . length > 0 ) { BeanBox [ ] boxes = box . getConstructorParams ( ) ; Class < ? > [ ] argsTypes = new Class < ? > [ boxes . length ] ; Object [ ] realArgsValue = new Object [ boxes . length ] ; for ( int i = 0 ; i < boxes . length ; i ++ ) { argsTypes [ i ] = boxes [ i ] . getType ( ) ; Object realValue = ctx . getBean ( boxes [ i ] ) ; if ( realValue != null && realValue instanceof String ) realValue = ctx . getValueTranslator ( ) . translate ( ( String ) realValue , boxes [ i ] . getType ( ) ) ; realArgsValue [ i ] = realValue ; } enhancer . setCallback ( new ProxyBean ( box , ctx ) ) ; return enhancer . create ( argsTypes , realArgsValue ) ; } else { enhancer . setCallback ( new ProxyBean ( box , ctx ) ) ; return enhancer . create ( ) ; } }
Create a ProxyBean
5,144
public Map < Prop . Names , String > getProps ( Prop . Names [ ] props ) throws CommandExecutionException { Prop prop = new Prop ( props ) ; return prop . parseResponse ( sendToArray ( "get_prop" , prop . getRequestArray ( ) ) ) ; }
Get several property values at once from the device .
5,145
public String getSingleProp ( Prop . Names prop ) throws CommandExecutionException { Map < Prop . Names , String > value = getProps ( new Prop . Names [ ] { prop } ) ; String valueString = value . get ( prop ) ; if ( valueString == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_RESPONSE ) ; return valueString ; }
Get a single property value from the device .
5,146
public int getIntProp ( Prop . Names prop ) throws CommandExecutionException { String value = getSingleProp ( prop ) ; if ( value . equals ( "" ) ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_RESPONSE ) ; try { return Integer . valueOf ( value ) ; } catch ( Exception e ) { throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_RESPONSE ) ; } }
Get a single property value and try to convert it to an int .
5,147
public boolean powerOffAfterTime ( int minutes ) throws CommandExecutionException { JSONArray col = new JSONArray ( ) ; col . put ( 0 ) ; col . put ( minutes ) ; return sendOk ( "cron_add" , col ) ; }
Power the device off after some time .
5,148
public static BeanBox getUniqueBeanBox ( BeanBoxContext ctx , Class < ? > clazz ) { BeanBoxException . assureNotNull ( clazz , "Target class can not be null" ) ; BeanBox box = ctx . beanBoxMetaCache . get ( clazz ) ; if ( box != null ) return box ; if ( BeanBox . class . isAssignableFrom ( clazz ) ) try { box = ( BeanBox ) clazz . newInstance ( ) ; if ( box . singleton == null ) box . singleton = true ; } catch ( Exception e ) { BeanBoxException . throwEX ( e ) ; } else box = doCreateBeanBox ( ctx , clazz ) ; ctx . beanBoxMetaCache . put ( clazz , box ) ; return box ; }
Translate a BeanBox class or normal class to a readOnly BeanBox instance
5,149
private static Annotation [ ] getAnnotations ( Object targetClass ) { if ( targetClass instanceof Field ) return ( ( Field ) targetClass ) . getAnnotations ( ) ; else if ( targetClass instanceof Method ) return ( ( Method ) targetClass ) . getAnnotations ( ) ; else if ( targetClass instanceof Constructor ) return ( ( Constructor < ? > ) targetClass ) . getAnnotations ( ) ; else if ( targetClass instanceof Class ) return ( ( Class < ? > ) targetClass ) . getAnnotations ( ) ; else return BeanBoxException . throwEX ( "targetClass should be Field, Method, Constructor or Class" ) ; }
give a class or Field or Method return annotations
5,150
private static Map < String , Object > getAnnoAsMap ( Object targetClass , String annoFullName ) { Annotation [ ] anno = getAnnotations ( targetClass ) ; for ( Annotation a : anno ) { Class < ? extends Annotation > type = a . annotationType ( ) ; if ( annoFullName . equals ( type . getName ( ) ) ) return changeAnnotationValuesToMap ( a ) ; } return null ; }
Return all annotations for Class or Field
5,151
private static boolean checkAnnoExist ( Object targetClass , Class < ? > annoClass ) { Annotation [ ] anno = getAnnotations ( targetClass ) ; for ( Annotation annotation : anno ) { Class < ? extends Annotation > type = annotation . annotationType ( ) ; if ( annoClass . equals ( type ) ) return true ; } return false ; }
Check if annotation exist in Class or Field
5,152
protected static BeanBox wrapParamToBox ( Object param ) { if ( param != null ) { if ( param instanceof Class ) return new BeanBox ( ) . setTarget ( param ) ; if ( param instanceof BeanBox ) return ( BeanBox ) param ; } return new BeanBox ( ) . setAsValue ( param ) ; }
If param is class wrap it to BeanBox if param is BeanBox instance direct return it otherwise wrap it as pure Value BeanBox
5,153
public static String [ ] addConfigurationClasses ( String [ ] configurationClasses , AdditionalWebAppJettyConfigurationClass [ ] optionalAdditionalsWebappConfigurationClasses ) { List < String > newConfigurationClasses = new ArrayList < > ( Arrays . asList ( configurationClasses ) ) ; for ( AdditionalWebAppJettyConfigurationClass additionalWebappConfigurationClass : optionalAdditionalsWebappConfigurationClasses ) { if ( additionalWebappConfigurationClass . getClasses ( ) == null || additionalWebappConfigurationClass . getPosition ( ) == null ) { LOG . warn ( "Bad support class name" ) ; } else { if ( ClassUtil . classesExists ( additionalWebappConfigurationClass . getClasses ( ) ) ) { int index = 0 ; if ( additionalWebappConfigurationClass . getReferenceClass ( ) == null ) { if ( additionalWebappConfigurationClass . getPosition ( ) == Position . AFTER ) { index = newConfigurationClasses . size ( ) ; } } else { index = newConfigurationClasses . indexOf ( additionalWebappConfigurationClass . getReferenceClass ( ) ) ; if ( index == - 1 ) { if ( additionalWebappConfigurationClass . getPosition ( ) == Position . AFTER ) { LOG . warn ( "[{}] reference unreachable, add at the end" , additionalWebappConfigurationClass . getReferenceClass ( ) ) ; index = newConfigurationClasses . size ( ) ; } else { LOG . warn ( "[{}] reference unreachable, add at the top" , additionalWebappConfigurationClass . getReferenceClass ( ) ) ; index = 0 ; } } else { if ( additionalWebappConfigurationClass . getPosition ( ) == Position . AFTER ) { index ++ ; } } } newConfigurationClasses . addAll ( index , additionalWebappConfigurationClass . getClasses ( ) ) ; for ( String className : additionalWebappConfigurationClass . getClasses ( ) ) { LOG . debug ( "[{}] support added" , className ) ; } } else { for ( String className : additionalWebappConfigurationClass . getClasses ( ) ) { LOG . debug ( "[{}] not available" , className ) ; } } } } for ( String configurationClasse : newConfigurationClasses ) { LOG . trace ( "Jetty WebAppContext Configuration => " + configurationClasse ) ; } return newConfigurationClasses . toArray ( new String [ newConfigurationClasses . size ( ) ] ) ; }
Add the optionalAdditionalsWebappConfigurationClasses to the configurationClasses if available
5,154
public void catchException ( final Label start , final Label end , final Type exception ) { if ( exception == null ) { mv . visitTryCatchBlock ( start , end , mark ( ) , null ) ; } else { mv . visitTryCatchBlock ( start , end , mark ( ) , exception . getInternalName ( ) ) ; } }
Marks the start of an exception handler .
5,155
public static StringSwitcher create ( String [ ] strings , int [ ] ints , boolean fixedInput ) { Generator gen = new Generator ( ) ; gen . setStrings ( strings ) ; gen . setInts ( ints ) ; gen . setFixedInput ( fixedInput ) ; return gen . create ( ) ; }
Helper method to create a StringSwitcher . For finer control over the generated instance use a new instance of StringSwitcher . Generator instead of this static method .
5,156
public Map resolveAll ( ) { Map resolved = new HashMap ( ) ; for ( Iterator entryIter = declToBridge . entrySet ( ) . iterator ( ) ; entryIter . hasNext ( ) ; ) { Map . Entry entry = ( Map . Entry ) entryIter . next ( ) ; Class owner = ( Class ) entry . getKey ( ) ; Set bridges = ( Set ) entry . getValue ( ) ; try { new ClassReader ( owner . getName ( ) ) . accept ( new BridgedFinder ( bridges , resolved ) , ClassReader . SKIP_FRAMES | ClassReader . SKIP_DEBUG ) ; } catch ( IOException ignored ) { } } return resolved ; }
Finds all bridge methods that are being called with invokespecial & returns them .
5,157
public void check ( final int api ) { if ( api == Opcodes . ASM4 ) { if ( visibleTypeAnnotations != null && visibleTypeAnnotations . size ( ) > 0 ) { throw new RuntimeException ( ) ; } if ( invisibleTypeAnnotations != null && invisibleTypeAnnotations . size ( ) > 0 ) { throw new RuntimeException ( ) ; } } }
Checks that this field node is compatible with the given ASM API version . This methods checks that this node and all its nodes recursively do not contain elements that were introduced in more recent versions of the ASM API than the given version .
5,158
public void accept ( final ClassVisitor cv ) { FieldVisitor fv = cv . visitField ( access , name , desc , signature , value ) ; if ( fv == null ) { return ; } int i , n ; n = visibleAnnotations == null ? 0 : visibleAnnotations . size ( ) ; for ( i = 0 ; i < n ; ++ i ) { AnnotationNode an = visibleAnnotations . get ( i ) ; an . accept ( fv . visitAnnotation ( an . desc , true ) ) ; } n = invisibleAnnotations == null ? 0 : invisibleAnnotations . size ( ) ; for ( i = 0 ; i < n ; ++ i ) { AnnotationNode an = invisibleAnnotations . get ( i ) ; an . accept ( fv . visitAnnotation ( an . desc , false ) ) ; } n = visibleTypeAnnotations == null ? 0 : visibleTypeAnnotations . size ( ) ; for ( i = 0 ; i < n ; ++ i ) { TypeAnnotationNode an = visibleTypeAnnotations . get ( i ) ; an . accept ( fv . visitTypeAnnotation ( an . typeRef , an . typePath , an . desc , true ) ) ; } n = invisibleTypeAnnotations == null ? 0 : invisibleTypeAnnotations . size ( ) ; for ( i = 0 ; i < n ; ++ i ) { TypeAnnotationNode an = invisibleTypeAnnotations . get ( i ) ; an . accept ( fv . visitTypeAnnotation ( an . typeRef , an . typePath , an . desc , false ) ) ; } n = attrs == null ? 0 : attrs . size ( ) ; for ( i = 0 ; i < n ; ++ i ) { fv . visitAttribute ( attrs . get ( i ) ) ; } fv . visitEnd ( ) ; }
Makes the given class visitor visit this field .
5,159
protected long computeSVUID ( ) throws IOException { ByteArrayOutputStream bos ; DataOutputStream dos = null ; long svuid = 0 ; try { bos = new ByteArrayOutputStream ( ) ; dos = new DataOutputStream ( bos ) ; dos . writeUTF ( name . replace ( '/' , '.' ) ) ; dos . writeInt ( access & ( Opcodes . ACC_PUBLIC | Opcodes . ACC_FINAL | Opcodes . ACC_INTERFACE | Opcodes . ACC_ABSTRACT ) ) ; Arrays . sort ( interfaces ) ; for ( int i = 0 ; i < interfaces . length ; i ++ ) { dos . writeUTF ( interfaces [ i ] . replace ( '/' , '.' ) ) ; } writeItems ( svuidFields , dos , false ) ; if ( hasStaticInitializer ) { dos . writeUTF ( "<clinit>" ) ; dos . writeInt ( Opcodes . ACC_STATIC ) ; dos . writeUTF ( "()V" ) ; } writeItems ( svuidConstructors , dos , true ) ; writeItems ( svuidMethods , dos , true ) ; dos . flush ( ) ; byte [ ] hashBytes = computeSHAdigest ( bos . toByteArray ( ) ) ; for ( int i = Math . min ( hashBytes . length , 8 ) - 1 ; i >= 0 ; i -- ) { svuid = ( svuid << 8 ) | ( hashBytes [ i ] & 0xFF ) ; } } finally { if ( dos != null ) { dos . close ( ) ; } } return svuid ; }
Computes and returns the value of SVUID .
5,160
protected byte [ ] computeSHAdigest ( final byte [ ] value ) { try { return MessageDigest . getInstance ( "SHA" ) . digest ( value ) ; } catch ( Exception e ) { throw new UnsupportedOperationException ( e . toString ( ) ) ; } }
Returns the SHA - 1 message digest of the given value .
5,161
private static void writeItems ( final Collection < Item > itemCollection , final DataOutput dos , final boolean dotted ) throws IOException { int size = itemCollection . size ( ) ; Item [ ] items = itemCollection . toArray ( new Item [ size ] ) ; Arrays . sort ( items ) ; for ( int i = 0 ; i < size ; i ++ ) { dos . writeUTF ( items [ i ] . name ) ; dos . writeInt ( items [ i ] . access ) ; dos . writeUTF ( dotted ? items [ i ] . desc . replace ( '/' , '.' ) : items [ i ] . desc ) ; } }
Sorts the items in the collection and writes it to the data output stream
5,162
public VacuumStatus status ( ) throws CommandExecutionException { JSONArray resp = sendToArray ( "get_status" ) ; JSONObject stat = resp . optJSONObject ( 0 ) ; if ( stat == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_RESPONSE ) ; return new VacuumStatus ( stat ) ; }
Get the vacuums status .
5,163
public TimeZone getTimezone ( ) throws CommandExecutionException { JSONArray resp = sendToArray ( "get_timezone" ) ; String zone = resp . optString ( 0 , null ) ; if ( zone == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_RESPONSE ) ; return TimeZone . getTimeZone ( zone ) ; }
Get the vacuums current timezone .
5,164
public boolean setTimezone ( TimeZone zone ) throws CommandExecutionException { if ( zone == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_PARAMETERS ) ; JSONArray tz = new JSONArray ( ) ; tz . put ( zone . getID ( ) ) ; return sendOk ( "set_timezone" , tz ) ; }
Set the vacuums timezone
5,165
public VacuumConsumableStatus consumableStatus ( ) throws CommandExecutionException { JSONArray resp = sendToArray ( "get_consumable" ) ; JSONObject stat = resp . optJSONObject ( 0 ) ; if ( stat == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_RESPONSE ) ; return new VacuumConsumableStatus ( stat ) ; }
Get the vacuums consumables status .
5,166
public boolean resetConsumable ( VacuumConsumableStatus . Names consumable ) throws CommandExecutionException { if ( consumable == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_PARAMETERS ) ; JSONArray params = new JSONArray ( ) ; params . put ( consumable . toString ( ) ) ; return sendOk ( "reset_consumable" , params ) ; }
Reset a vacuums consumable .
5,167
public int getFanSpeed ( ) throws CommandExecutionException { int resp = sendToArray ( "get_custom_mode" ) . optInt ( 0 , - 1 ) ; if ( ( resp < 0 ) || ( resp > 100 ) ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_RESPONSE ) ; return resp ; }
Get the vacuums current fan speed setting .
5,168
public boolean setFanSpeed ( int speed ) throws CommandExecutionException { if ( speed < 0 || speed > 100 ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_PARAMETERS ) ; JSONArray params = new JSONArray ( ) ; params . put ( speed ) ; return sendOk ( "set_custom_mode" , params ) ; }
Set the vacuums fan speed setting .
5,169
public VacuumTimer [ ] getTimers ( ) throws CommandExecutionException { JSONArray tm = sendToArray ( "get_timer" ) ; if ( tm == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_RESPONSE ) ; VacuumTimer [ ] timers = new VacuumTimer [ tm . length ( ) ] ; for ( int i = 0 ; i < tm . length ( ) ; i ++ ) { timers [ i ] = new VacuumTimer ( tm . optJSONArray ( i ) ) ; } return timers ; }
Get all stored scheduled cleanups .
5,170
public boolean addTimer ( VacuumTimer timer ) throws CommandExecutionException { if ( timer == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_PARAMETERS ) ; JSONArray tm = timer . construct ( ) ; if ( tm == null ) return false ; JSONArray payload = new JSONArray ( ) ; payload . put ( tm ) ; return sendOk ( "set_timer" , payload ) ; }
Add a new scheduled cleanup .
5,171
public boolean setTimerEnabled ( VacuumTimer timer ) throws CommandExecutionException { if ( timer == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_PARAMETERS ) ; JSONArray payload = new JSONArray ( ) ; payload . put ( timer . getID ( ) ) ; payload . put ( timer . getOnOff ( ) ) ; return sendOk ( "upd_timer" , payload ) ; }
Enable or disable a scheduled cleanup .
5,172
public boolean removeTimer ( VacuumTimer timer ) throws CommandExecutionException { if ( timer == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_PARAMETERS ) ; JSONArray payload = new JSONArray ( ) ; payload . put ( timer . getID ( ) ) ; return sendOk ( "del_timer" , payload ) ; }
Delete a scheduled cleanup .
5,173
public boolean setDoNotDisturb ( VacuumDoNotDisturb dnd ) throws CommandExecutionException { if ( dnd == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_PARAMETERS ) ; return sendOk ( "set_dnd_timer" , dnd . construct ( ) ) ; }
Set the do not disturb timer .
5,174
public boolean goTo ( int [ ] p ) throws CommandExecutionException { if ( p == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_PARAMETERS ) ; if ( p . length != 2 ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_PARAMETERS ) ; JSONArray payload = new JSONArray ( ) ; payload . put ( p [ 0 ] ) ; payload . put ( p [ 1 ] ) ; return sendOk ( "app_goto_target" , payload ) ; }
Go to the specified position on the map .
5,175
public VacuumCleanup [ ] getAllCleanups ( ) throws CommandExecutionException { JSONArray cleanupIDs = getCleaningSummary ( ) . optJSONArray ( 3 ) ; if ( cleanupIDs == null ) return null ; VacuumCleanup [ ] res = new VacuumCleanup [ cleanupIDs . length ( ) ] ; for ( int i = 0 ; i < cleanupIDs . length ( ) ; i ++ ) { JSONArray send = new JSONArray ( ) ; send . put ( cleanupIDs . optLong ( i ) ) ; JSONArray ar = sendToArray ( "get_clean_record" , send ) . optJSONArray ( 0 ) ; res [ i ] = new VacuumCleanup ( ar ) ; } return res ; }
Get an array with the details of all cleanups .
5,176
public int getSoundVolume ( ) throws CommandExecutionException { JSONArray res = sendToArray ( "get_sound_volume" ) ; if ( res == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_RESPONSE ) ; int vol = res . optInt ( 0 , - 1 ) ; if ( vol < 0 ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_RESPONSE ) ; return vol ; }
Get the current volume .
5,177
public boolean setSoundVolume ( int volume ) throws CommandExecutionException { if ( volume < 0 ) volume = 0 ; if ( volume > 100 ) volume = 100 ; JSONArray payload = new JSONArray ( ) ; payload . put ( volume ) ; return sendOk ( "change_sound_volume" , payload ) ; }
Set the vacuums volume .
5,178
public boolean manualControlMove ( float rotationSpeed , float speed , int runDuration ) throws CommandExecutionException { if ( manualControlSequence < 1 ) manualControlStart ( ) ; JSONObject payload = new JSONObject ( ) ; if ( rotationSpeed > 180.0f ) rotationSpeed = 180.0f ; if ( rotationSpeed < - 180.0f ) rotationSpeed = - 180.0f ; float rotationRadians = Math . round ( ( rotationSpeed / 180.0f ) * 272.0d ) / 100.0f ; payload . put ( "omega" , rotationRadians ) ; if ( speed >= 0.3f ) speed = 0.29f ; if ( speed <= - 0.3f ) speed = - 0.29f ; payload . put ( "velocity" , speed ) ; if ( runDuration < 0 ) runDuration = 1000 ; payload . put ( "duration" , runDuration ) ; payload . put ( "seqnum" , manualControlSequence ) ; manualControlSequence ++ ; JSONArray send = new JSONArray ( ) ; send . put ( payload ) ; return sendOk ( "app_rc_move" , send ) ; }
Manually control the robot
5,179
public VacuumSounpackInstallState installSoundpack ( String url , String md5 , int soundId ) throws CommandExecutionException { if ( url == null || md5 == null ) throw new CommandExecutionException ( CommandExecutionException . Error . INVALID_PARAMETERS ) ; JSONObject install = new JSONObject ( ) ; install . put ( "url" , url ) ; install . put ( "md5" , md5 ) ; install . put ( "sid" , soundId ) ; JSONArray ret = sendToArray ( "dnld_install_sound" , install ) ; if ( ret == null ) return null ; return new VacuumSounpackInstallState ( ret . optJSONObject ( 0 ) ) ; }
Install a new soundpack to the device .
5,180
public VacuumSounpackInstallState soundpackInstallStatus ( ) throws CommandExecutionException { JSONArray ret = sendToArray ( "get_sound_progress" ) ; if ( ret == null ) return null ; return new VacuumSounpackInstallState ( ret . optJSONObject ( 0 ) ) ; }
Get the current soundpack installation status .
5,181
public JSONObject getCarpetModeState ( ) throws CommandExecutionException { JSONArray ret = sendToArray ( "get_carpet_mode" ) ; if ( ret == null ) return null ; return ret . optJSONObject ( 0 ) ; }
Get the current carpet cleaning settings .
5,182
public boolean setCarpetMode ( boolean enabled , int high , int low , int integral , int stallTime ) throws CommandExecutionException { JSONObject payload = new JSONObject ( ) ; payload . put ( "enable" , enabled ? 1 : 0 ) ; payload . put ( "current_high" , high ) ; payload . put ( "current_low" , low ) ; payload . put ( "current_integral" , integral ) ; payload . put ( "stall_time" , stallTime ) ; JSONArray send = new JSONArray ( ) ; send . put ( payload ) ; return sendOk ( "set_carpet_mode" , send ) ; }
Change the carped cleaning settings .
5,183
public String getSerialnumber ( ) throws CommandExecutionException { JSONArray ret = sendToArray ( "get_serial_number" ) ; if ( ret == null ) return null ; return ret . optJSONObject ( 0 ) . optString ( "serial_number" ) ; }
Get the vacuums serial number .
5,184
public int newLocal ( final Type type ) { Object t ; switch ( type . getSort ( ) ) { case Type . BOOLEAN : case Type . CHAR : case Type . BYTE : case Type . SHORT : case Type . INT : t = Opcodes . INTEGER ; break ; case Type . FLOAT : t = Opcodes . FLOAT ; break ; case Type . LONG : t = Opcodes . LONG ; break ; case Type . DOUBLE : t = Opcodes . DOUBLE ; break ; case Type . ARRAY : t = type . getDescriptor ( ) ; break ; default : t = type . getInternalName ( ) ; break ; } int local = newLocalMapping ( type ) ; setLocalType ( local , type ) ; setFrameLocal ( local , t ) ; changed = true ; return local ; }
Creates a new local variable of the given type .
5,185
private List < Fight > getFights ( Elements trs , Fighter fighter ) throws ArrayIndexOutOfBoundsException { List < Fight > fights = new ArrayList < > ( ) ; logger . info ( "{} TRs to parse through" , trs . size ( ) ) ; SherdogBaseObject sFighter = new SherdogBaseObject ( ) ; sFighter . setName ( fighter . getName ( ) ) ; sFighter . setSherdogUrl ( fighter . getSherdogUrl ( ) ) ; if ( trs . size ( ) > 0 ) { trs . remove ( 0 ) ; trs . forEach ( tr -> { Fight fight = new Fight ( ) ; fight . setFighter1 ( sFighter ) ; Elements tds = tr . select ( "td" ) ; fight . setResult ( getFightResult ( tds . get ( COLUMN_RESULT ) ) ) ; fight . setFighter2 ( getOpponent ( tds . get ( COLUMN_OPPONENT ) ) ) ; fight . setEvent ( getEvent ( tds . get ( COLUMN_EVENT ) ) ) ; fight . setDate ( getDate ( tds . get ( COLUMN_EVENT ) ) ) ; fight . setWinMethod ( getWinMethod ( tds . get ( COLUMN_METHOD ) ) ) ; fight . setWinRound ( getWinRound ( tds . get ( COLUMN_ROUND ) ) ) ; fight . setWinTime ( getWinTime ( tds . get ( COLUMN_TIME ) ) ) ; fights . add ( fight ) ; logger . info ( "{}" , fight ) ; } ) ; } return fights ; }
Get a fighter fights
5,186
private SherdogBaseObject getOpponent ( Element td ) { SherdogBaseObject opponent = new SherdogBaseObject ( ) ; Element opponentLink = td . select ( "a" ) . get ( 0 ) ; opponent . setName ( opponentLink . html ( ) ) ; opponent . setSherdogUrl ( opponentLink . attr ( "abs:href" ) ) ; return opponent ; }
Get the fight result
5,187
private SherdogBaseObject getEvent ( Element td ) { Element link = td . select ( "a" ) . get ( 0 ) ; SherdogBaseObject event = new SherdogBaseObject ( ) ; event . setName ( link . html ( ) . replaceAll ( "<span itemprop=\"award\">|</span>" , "" ) ) ; event . setSherdogUrl ( link . attr ( "abs:href" ) ) ; return event ; }
Get the fight event
5,188
private ZonedDateTime getDate ( Element td ) { Element date = td . select ( "span.sub_line" ) . first ( ) ; return ParserUtils . getDateFromStringToZoneId ( date . html ( ) , ZONE_ID , DateTimeFormatter . ofPattern ( "MMM / dd / yyyy" , Locale . US ) ) ; }
Get the date of the fight
5,189
private static int parseType ( final String signature , int pos , final SignatureVisitor v ) { char c ; int start , end ; boolean visited , inner ; String name ; switch ( c = signature . charAt ( pos ++ ) ) { case 'Z' : case 'C' : case 'B' : case 'S' : case 'I' : case 'F' : case 'J' : case 'D' : case 'V' : v . visitBaseType ( c ) ; return pos ; case '[' : return parseType ( signature , pos , v . visitArrayType ( ) ) ; case 'T' : end = signature . indexOf ( ';' , pos ) ; v . visitTypeVariable ( signature . substring ( pos , end ) ) ; return end + 1 ; default : start = pos ; visited = false ; inner = false ; for ( ; ; ) { switch ( c = signature . charAt ( pos ++ ) ) { case '.' : case ';' : if ( ! visited ) { name = signature . substring ( start , pos - 1 ) ; if ( inner ) { v . visitInnerClassType ( name ) ; } else { v . visitClassType ( name ) ; } } if ( c == ';' ) { v . visitEnd ( ) ; return pos ; } start = pos ; visited = false ; inner = true ; break ; case '<' : name = signature . substring ( start , pos - 1 ) ; if ( inner ) { v . visitInnerClassType ( name ) ; } else { v . visitClassType ( name ) ; } visited = true ; top : for ( ; ; ) { switch ( c = signature . charAt ( pos ) ) { case '>' : break top ; case '*' : ++ pos ; v . visitTypeArgument ( ) ; break ; case '+' : case '-' : pos = parseType ( signature , pos + 1 , v . visitTypeArgument ( c ) ) ; break ; default : pos = parseType ( signature , pos , v . visitTypeArgument ( '=' ) ) ; break ; } } } } } }
Parses a field type signature and makes the given visitor visit it .
5,190
protected int getSortFieldIndex ( ) { SortParam sp = getSort ( ) ; Integer index = fieldNameToIndex . get ( sp . getProperty ( ) ) ; if ( index == null ) { index = 1 ; } return index ; }
Returns an index of the currently selected sort field .
5,191
public Map < BeanId , Bean > getBeanToValidate ( Collection < Bean > beans ) throws AbortRuntimeException { Map < BeanId , Bean > beansToValidate = new HashMap < > ( ) ; for ( Bean bean : beans ) { Map < BeanId , Bean > predecessors = new HashMap < > ( ) ; Map < BeanId , Bean > beansToValidateSubset = getDirectSuccessors ( bean ) ; beansToValidateSubset . put ( bean . getId ( ) , bean ) ; for ( Bean toValidate : beansToValidateSubset . values ( ) ) { predecessors . putAll ( getDirectPredecessors ( toValidate ) ) ; } for ( Bean predecessor : predecessors . values ( ) ) { for ( BeanId ref : predecessor . getReferences ( ) ) { Bean b = storage . get ( ref ) ; if ( b == null ) { throw CFG301_MISSING_RUNTIME_REF ( predecessor . getId ( ) ) ; } ref . setBean ( b ) ; } } for ( Bean toValidate : beansToValidateSubset . values ( ) ) { for ( BeanId ref : toValidate . getReferences ( ) ) { Bean predecessor = predecessors . get ( ref ) ; if ( predecessor == null ) { throw new IllegalStateException ( "Bug in algorithm. Reference [" + ref + "] of [" + toValidate . getId ( ) + "] should be available in predecessors." ) ; } ref . setBean ( predecessor ) ; } } beansToValidate . putAll ( predecessors ) ; } return beansToValidate ; }
The direct but no further successors that references this bean will also be fetched and initialized with their direct but no further predecessors .
5,192
protected ApplicationContext getApplicationContext ( JobExecutionContext context ) throws SchedulerException { final SchedulerContext schedulerContext = context . getScheduler ( ) . getContext ( ) ; ApplicationContext applicationContext = ( ApplicationContext ) schedulerContext . get ( APPLICATION_CONTEXT_KEY ) ; if ( applicationContext == null ) { logger . error ( APPLICATION_CONTEXT_KEY + " is empty in " + schedulerContext + ":" ) ; if ( schedulerContext . getKeys ( ) != null ) { for ( String key : schedulerContext . getKeys ( ) ) { Object value = schedulerContext . get ( key ) ; String valueText = value != null ? value . toString ( ) : "<NULL>" ; logger . info ( " {} = {}" , key , valueText ) ; } } } return applicationContext ; }
Obtains Spring s application context .
5,193
private void checkSystemInput ( ) throws IOException { while ( System . in . available ( ) > 0 ) { int input = System . in . read ( ) ; if ( input >= 0 ) { char c = ( char ) input ; if ( c == '\n' ) { synchronized ( lock ) { finished = true ; lock . notifyAll ( ) ; } } } else { synchronized ( lock ) { finished = true ; lock . notifyAll ( ) ; } } } }
Checks for the user pressing Enter .
5,194
protected void executePostMethod ( HttpInvokerClientConfiguration config , HttpClient httpClient , PostMethod postMethod ) throws IOException { httpClient . executeMethod ( postMethod ) ; }
Execute the given PostMethod instance .
5,195
public static KeyValue getReferenceKeyValue ( byte [ ] rowkey , String propertyName , String schemaName , List < BeanId > refs , UniqueIds uids ) { final byte [ ] pid = uids . getUsid ( ) . getId ( propertyName ) ; final byte [ ] sid = uids . getUsid ( ) . getId ( schemaName ) ; final byte [ ] qual = new byte [ ] { sid [ 0 ] , sid [ 1 ] , pid [ 0 ] , pid [ 1 ] } ; final byte [ ] iids = getIids2 ( refs , uids ) ; return new KeyValue ( rowkey , REF_COLUMN_FAMILY , qual , iids ) ; }
Get a particular type of references identified by propertyName into key value form .
5,196
public void setReferencesOn ( Bean bean ) { for ( KeyValue ref : references . values ( ) ) { final byte [ ] sidpid = ref . getQualifier ( ) ; final byte [ ] iids = ref . getValue ( ) ; final byte [ ] sid = new byte [ ] { sidpid [ 0 ] , sidpid [ 1 ] } ; final byte [ ] pid = new byte [ ] { sidpid [ 2 ] , sidpid [ 3 ] } ; final String schemaName = uids . getUsid ( ) . getName ( sid ) ; final String propertyName = uids . getUsid ( ) . getName ( pid ) ; for ( int i = 0 ; i < iids . length ; i += IID_WIDTH ) { final byte [ ] iid = new byte [ ] { iids [ i ] , iids [ i + 1 ] , iids [ i + 2 ] , iids [ i + 3 ] } ; final String instanceId = uids . getUiid ( ) . getName ( iid ) ; bean . addReference ( propertyName , BeanId . create ( instanceId , schemaName ) ) ; } } }
Set references on a bean using a set of key values containing references .
5,197
public static boolean isReference ( KeyValue kv ) { if ( Bytes . equals ( kv . getFamily ( ) , REF_COLUMN_FAMILY ) ) { return true ; } return false ; }
If this key value is of reference familiy type .
5,198
public static byte [ ] getIids ( final List < String > ids , final UniqueIds uids ) { final int size = ids . size ( ) ; final byte [ ] iids = new byte [ IID_WIDTH * size ] ; for ( int i = 0 ; i < size ; i ++ ) { final String instanceId = ids . get ( i ) ; final byte [ ] iid = uids . getUiid ( ) . getId ( instanceId ) ; System . arraycopy ( iid , 0 , iids , i * IID_WIDTH , IID_WIDTH ) ; } return iids ; }
Compress a set of instances ids into a byte array where each id consist of 4 bytes each .
5,199
private static byte [ ] getIids2 ( final List < BeanId > ids , final UniqueIds uids ) { if ( ids == null ) { return new byte [ 0 ] ; } final AbstractList < String > list = new AbstractList < String > ( ) { public String get ( int index ) { return ids . get ( index ) . getInstanceId ( ) ; } public int size ( ) { return ids . size ( ) ; } } ; return getIids ( list , uids ) ; }
Second version of getIids that takes a set of bean ids instead .