idx int64 0 165k | question stringlengths 73 4.15k | target stringlengths 5 918 | len_question int64 21 890 | len_target int64 3 255 |
|---|---|---|---|---|
156,000 | private static void buildYCCtoRGBtable ( ) { if ( ColorSpaces . DEBUG ) { System . err . println ( "Building YCC conversion table" ) ; } for ( int i = 0 , x = - CENTERJSAMPLE ; i <= MAXJSAMPLE ; i ++ , x ++ ) { // i is the actual input pixel value, in the range 0..MAXJSAMPLE // The Cb or Cr value we are thinking of is x = i - CENTERJSAMPLE // Cr=>R value is nearest int to 1.40200 * x Cr_R_LUT [ i ] = ( int ) ( ( 1.40200 * ( 1 << SCALEBITS ) + 0.5 ) * x + ONE_HALF ) >> SCALEBITS ; // Cb=>B value is nearest int to 1.77200 * x Cb_B_LUT [ i ] = ( int ) ( ( 1.77200 * ( 1 << SCALEBITS ) + 0.5 ) * x + ONE_HALF ) >> SCALEBITS ; // Cr=>G value is scaled-up -0.71414 * x Cr_G_LUT [ i ] = - ( int ) ( 0.71414 * ( 1 << SCALEBITS ) + 0.5 ) * x ; // Cb=>G value is scaled-up -0.34414 * x // We also add in ONE_HALF so that need not do it in inner loop Cb_G_LUT [ i ] = - ( int ) ( ( 0.34414 ) * ( 1 << SCALEBITS ) + 0.5 ) * x + ONE_HALF ; } } | Initializes tables for YCC - > RGB color space conversion . | 369 | 13 |
156,001 | private int getOparamCountFromRequest ( HttpServletRequest pRequest ) { // Use request.attribute for incrementing oparam counter Integer count = ( Integer ) pRequest . getAttribute ( COUNTER ) ; if ( count == null ) { count = new Integer ( 0 ) ; } else { count = new Integer ( count . intValue ( ) + 1 ) ; } // ... and set it back pRequest . setAttribute ( COUNTER , count ) ; return count . intValue ( ) ; } | Gets the current oparam count for this request | 106 | 10 |
156,002 | private static int getFilterType ( RenderingHints pHints ) { if ( pHints == null ) { return FILTER_UNDEFINED ; } if ( pHints . containsKey ( KEY_RESAMPLE_INTERPOLATION ) ) { Object value = pHints . get ( KEY_RESAMPLE_INTERPOLATION ) ; // NOTE: Workaround for a bug in RenderingHints constructor (Bug id# 5084832) if ( ! KEY_RESAMPLE_INTERPOLATION . isCompatibleValue ( value ) ) { throw new IllegalArgumentException ( value + " incompatible with key " + KEY_RESAMPLE_INTERPOLATION ) ; } return value != null ? ( ( Value ) value ) . getFilterType ( ) : FILTER_UNDEFINED ; } else if ( RenderingHints . VALUE_INTERPOLATION_NEAREST_NEIGHBOR . equals ( pHints . get ( RenderingHints . KEY_INTERPOLATION ) ) || ( ! pHints . containsKey ( RenderingHints . KEY_INTERPOLATION ) && ( RenderingHints . VALUE_RENDER_SPEED . equals ( pHints . get ( RenderingHints . KEY_RENDERING ) ) || RenderingHints . VALUE_COLOR_RENDER_SPEED . equals ( pHints . get ( RenderingHints . KEY_COLOR_RENDERING ) ) ) ) ) { // Nearest neighbour, or prioritize speed return FILTER_POINT ; } else if ( RenderingHints . VALUE_INTERPOLATION_BILINEAR . equals ( pHints . get ( RenderingHints . KEY_INTERPOLATION ) ) ) { // Triangle equals bi-linear interpolation return FILTER_TRIANGLE ; } else if ( RenderingHints . VALUE_INTERPOLATION_BICUBIC . equals ( pHints . get ( RenderingHints . KEY_INTERPOLATION ) ) ) { return FILTER_QUADRATIC ; // No idea if this is correct..? } else if ( RenderingHints . VALUE_RENDER_QUALITY . equals ( pHints . get ( RenderingHints . KEY_RENDERING ) ) || RenderingHints . VALUE_COLOR_RENDER_QUALITY . equals ( pHints . get ( RenderingHints . KEY_COLOR_RENDERING ) ) ) { // Prioritize quality return FILTER_MITCHELL ; } // NOTE: Other hints are ignored return FILTER_UNDEFINED ; } | Gets the filter type specified by the given hints . | 563 | 11 |
156,003 | public String getColumn ( String pProperty ) { if ( mPropertiesMap == null || pProperty == null ) return null ; return ( String ) mPropertiesMap . get ( pProperty ) ; } | Gets the column for a given property . | 43 | 9 |
156,004 | public String getTable ( String pProperty ) { String table = getColumn ( pProperty ) ; if ( table != null ) { int dotIdx = 0 ; if ( ( dotIdx = table . lastIndexOf ( "." ) ) >= 0 ) table = table . substring ( 0 , dotIdx ) ; else return null ; } return table ; } | Gets the table name for a given property . | 77 | 10 |
156,005 | public String getProperty ( String pColumn ) { if ( mColumnMap == null || pColumn == null ) return null ; String property = ( String ) mColumnMap . get ( pColumn ) ; int dotIdx = 0 ; if ( property == null && ( dotIdx = pColumn . lastIndexOf ( "." ) ) >= 0 ) property = ( String ) mColumnMap . get ( pColumn . substring ( dotIdx + 1 ) ) ; return property ; } | Gets the property for a given database column . If the column incudes table qualifier the table qualifier is removed . | 103 | 23 |
156,006 | public synchronized Object [ ] mapObjects ( ResultSet pRSet ) throws SQLException { Vector result = new Vector ( ) ; ResultSetMetaData meta = pRSet . getMetaData ( ) ; int cols = meta . getColumnCount ( ) ; // Get colum names String [ ] colNames = new String [ cols ] ; for ( int i = 0 ; i < cols ; i ++ ) { colNames [ i ] = meta . getColumnName ( i + 1 ) ; // JDBC cols start at 1... /* System.out.println(meta.getColumnLabel(i + 1)); System.out.println(meta.getColumnName(i + 1)); System.out.println(meta.getColumnType(i + 1)); System.out.println(meta.getColumnTypeName(i + 1)); // System.out.println(meta.getTableName(i + 1)); // System.out.println(meta.getCatalogName(i + 1)); // System.out.println(meta.getSchemaName(i + 1)); // Last three NOT IMPLEMENTED!! */ } // Loop through rows in resultset while ( pRSet . next ( ) ) { Object obj = null ; try { obj = mInstanceClass . newInstance ( ) ; // Asserts empty constructor! } catch ( IllegalAccessException iae ) { mLog . logError ( iae ) ; // iae.printStackTrace(); } catch ( InstantiationException ie ) { mLog . logError ( ie ) ; // ie.printStackTrace(); } // Read each colum from this row into object for ( int i = 0 ; i < cols ; i ++ ) { String property = ( String ) mColumnMap . get ( colNames [ i ] ) ; if ( property != null ) { // This column is mapped to a property mapColumnProperty ( pRSet , i + 1 , property , obj ) ; } } // Add object to the result Vector result . addElement ( obj ) ; } return result . toArray ( ( Object [ ] ) Array . newInstance ( mInstanceClass , result . size ( ) ) ) ; } | Maps each row of the given result set to an object ot this OM s type . | 469 | 17 |
156,007 | String buildIdentitySQL ( String [ ] pKeys ) { mTables = new Hashtable ( ) ; mColumns = new Vector ( ) ; // Get columns to select mColumns . addElement ( getPrimaryKey ( ) ) ; // Get tables to select (and join) from and their joins tableJoins ( null , false ) ; for ( int i = 0 ; i < pKeys . length ; i ++ ) { tableJoins ( getColumn ( pKeys [ i ] ) , true ) ; } // All data read, build SQL query string return "SELECT " + getPrimaryKey ( ) + " " + buildFromClause ( ) + buildWhereClause ( ) ; } | Creates a SQL query string to get the primary keys for this ObjectMapper . | 147 | 17 |
156,008 | public String buildSQL ( ) { mTables = new Hashtable ( ) ; mColumns = new Vector ( ) ; String key = null ; for ( Enumeration keys = mPropertiesMap . keys ( ) ; keys . hasMoreElements ( ) ; ) { key = ( String ) keys . nextElement ( ) ; // Get columns to select String column = ( String ) mPropertiesMap . get ( key ) ; mColumns . addElement ( column ) ; tableJoins ( column , false ) ; } // All data read, build SQL query string return buildSelectClause ( ) + buildFromClause ( ) + buildWhereClause ( ) ; } | Creates a SQL query string to get objects for this ObjectMapper . | 143 | 15 |
156,009 | private String buildSelectClause ( ) { StringBuilder sqlBuf = new StringBuilder ( ) ; sqlBuf . append ( "SELECT " ) ; String column = null ; for ( Enumeration select = mColumns . elements ( ) ; select . hasMoreElements ( ) ; ) { column = ( String ) select . nextElement ( ) ; /* String subColumn = column.substring(column.indexOf(".") + 1); // System.err.println("DEBUG: col=" + subColumn); String mapType = (String) mMapTypes.get(mColumnMap.get(subColumn)); */ String mapType = ( String ) mMapTypes . get ( getProperty ( column ) ) ; if ( mapType == null || mapType . equals ( DIRECTMAP ) ) { sqlBuf . append ( column ) ; sqlBuf . append ( select . hasMoreElements ( ) ? ", " : " " ) ; } } return sqlBuf . toString ( ) ; } | Builds a SQL SELECT clause from the columns Vector | 213 | 10 |
156,010 | private void tableJoins ( String pColumn , boolean pWhereJoin ) { String join = null ; String table = null ; if ( pColumn == null ) { // Identity join = getIdentityJoin ( ) ; table = getTable ( getProperty ( getPrimaryKey ( ) ) ) ; } else { // Normal int dotIndex = - 1 ; if ( ( dotIndex = pColumn . lastIndexOf ( "." ) ) <= 0 ) { // No table qualifier return ; } // Get table qualifier. table = pColumn . substring ( 0 , dotIndex ) ; // Don't care about the tables that are not supposed to be selected from String property = ( String ) getProperty ( pColumn ) ; if ( property != null ) { String mapType = ( String ) mMapTypes . get ( property ) ; if ( ! pWhereJoin && mapType != null && ! mapType . equals ( DIRECTMAP ) ) { return ; } join = ( String ) mJoins . get ( property ) ; } } // If table is not in the tables Hash, add it, and check for joins. if ( mTables . get ( table ) == null ) { if ( join != null ) { mTables . put ( table , join ) ; StringTokenizer tok = new StringTokenizer ( join , "= " ) ; String next = null ; while ( tok . hasMoreElements ( ) ) { next = tok . nextToken ( ) ; // Don't care about SQL keywords if ( next . equals ( "AND" ) || next . equals ( "OR" ) || next . equals ( "NOT" ) || next . equals ( "IN" ) ) { continue ; } // Check for new tables and joins in this join clause. tableJoins ( next , false ) ; } } else { // No joins for this table. join = "" ; mTables . put ( table , join ) ; } } } | Finds tables used in mappings and joins and adds them to the tables Hashtable with the table name as key and the join as value . | 408 | 29 |
156,011 | public final void seek ( long pPosition ) throws IOException { checkOpen ( ) ; // TODO: This is correct according to javax.imageio (IndexOutOfBoundsException), // but it's inconsistent with reset that throws IOException... if ( pPosition < flushedPosition ) { throw new IndexOutOfBoundsException ( "position < flushedPosition!" ) ; } seekImpl ( pPosition ) ; position = pPosition ; } | probably a good idea to extract a delegate .. ? | 93 | 10 |
156,012 | public static String getMIMEType ( final String pFileExt ) { List < String > types = sExtToMIME . get ( StringUtil . toLowerCase ( pFileExt ) ) ; return ( types == null || types . isEmpty ( ) ) ? null : types . get ( 0 ) ; } | Returns the default MIME type for the given file extension . | 68 | 12 |
156,013 | public static List < String > getMIMETypes ( final String pFileExt ) { List < String > types = sExtToMIME . get ( StringUtil . toLowerCase ( pFileExt ) ) ; return maskNull ( types ) ; } | Returns all MIME types for the given file extension . | 55 | 11 |
156,014 | private static List < String > getExtensionForWildcard ( final String pMIME ) { final String family = pMIME . substring ( 0 , pMIME . length ( ) - 1 ) ; Set < String > extensions = new LinkedHashSet < String > ( ) ; for ( Map . Entry < String , List < String > > mimeToExt : sMIMEToExt . entrySet ( ) ) { if ( "*/" . equals ( family ) || mimeToExt . getKey ( ) . startsWith ( family ) ) { extensions . addAll ( mimeToExt . getValue ( ) ) ; } } return Collections . unmodifiableList ( new ArrayList < String > ( extensions ) ) ; } | Gets all extensions for a wildcard MIME type | 157 | 11 |
156,015 | private static List < String > maskNull ( List < String > pTypes ) { return ( pTypes == null ) ? Collections . < String > emptyList ( ) : pTypes ; } | Returns the list or empty list if list is null | 39 | 10 |
156,016 | public int decode ( final InputStream stream , final ByteBuffer buffer ) throws IOException { while ( buffer . remaining ( ) >= 64 ) { int val = stream . read ( ) ; if ( val < 0 ) { break ; // EOF } if ( ( val & COMPRESSED_RUN_MASK ) == COMPRESSED_RUN_MASK ) { int count = val & ~ COMPRESSED_RUN_MASK ; int pixel = stream . read ( ) ; if ( pixel < 0 ) { break ; // EOF } for ( int i = 0 ; i < count ; i ++ ) { buffer . put ( ( byte ) pixel ) ; } } else { buffer . put ( ( byte ) val ) ; } } return buffer . position ( ) ; } | even if this will make the output larger . | 165 | 9 |
156,017 | private boolean buildRegexpParser ( ) { // Convert wildcard string mask to regular expression String regexp = convertWildcardExpressionToRegularExpression ( mStringMask ) ; if ( regexp == null ) { out . println ( DebugUtil . getPrefixErrorMessage ( this ) + "irregularity in regexp conversion - now not able to parse any strings, all strings will be rejected!" ) ; return false ; } // Instantiate a regular expression parser try { mRegexpParser = Pattern . compile ( regexp ) ; } catch ( PatternSyntaxException e ) { if ( mDebugging ) { out . println ( DebugUtil . getPrefixErrorMessage ( this ) + "RESyntaxException \"" + e . getMessage ( ) + "\" caught - now not able to parse any strings, all strings will be rejected!" ) ; } if ( mDebugging ) { e . printStackTrace ( System . err ) ; } return false ; } if ( mDebugging ) { out . println ( DebugUtil . getPrefixDebugMessage ( this ) + "regular expression parser from regular expression " + regexp + " extracted from wildcard string mask " + mStringMask + "." ) ; } return true ; } | Builds the regexp parser . | 267 | 7 |
156,018 | private boolean checkStringToBeParsed ( final String pStringToBeParsed ) { // Check for nullness if ( pStringToBeParsed == null ) { if ( mDebugging ) { out . println ( DebugUtil . getPrefixDebugMessage ( this ) + "string to be parsed is null - rejection!" ) ; } return false ; } // Check if valid character (element in alphabet) for ( int i = 0 ; i < pStringToBeParsed . length ( ) ; i ++ ) { if ( ! isInAlphabet ( pStringToBeParsed . charAt ( i ) ) ) { if ( mDebugging ) { out . println ( DebugUtil . getPrefixDebugMessage ( this ) + "one or more characters in string to be parsed are not legal characters - rejection!" ) ; } return false ; } } return true ; } | Simple check of the string to be parsed . | 192 | 9 |
156,019 | public static boolean isInAlphabet ( final char pCharToCheck ) { for ( int i = 0 ; i < ALPHABET . length ; i ++ ) { if ( pCharToCheck == ALPHABET [ i ] ) { return true ; } } return false ; } | Tests if a certain character is a valid character in the alphabet that is applying for this automaton . | 61 | 21 |
156,020 | public static Object mergeArrays ( Object pArray1 , Object pArray2 ) { return mergeArrays ( pArray1 , 0 , Array . getLength ( pArray1 ) , pArray2 , 0 , Array . getLength ( pArray2 ) ) ; } | Merges two arrays into a new array . Elements from array1 and array2 will be copied into a new array that has array1 . length + array2 . length elements . | 57 | 36 |
156,021 | @ SuppressWarnings ( { "SuspiciousSystemArraycopy" } ) public static Object mergeArrays ( Object pArray1 , int pOffset1 , int pLength1 , Object pArray2 , int pOffset2 , int pLength2 ) { Class class1 = pArray1 . getClass ( ) ; Class type = class1 . getComponentType ( ) ; // Create new array of the new length Object array = Array . newInstance ( type , pLength1 + pLength2 ) ; System . arraycopy ( pArray1 , pOffset1 , array , 0 , pLength1 ) ; System . arraycopy ( pArray2 , pOffset2 , array , pLength1 , pLength2 ) ; return array ; } | Merges two arrays into a new array . Elements from pArray1 and pArray2 will be copied into a new array that has pLength1 + pLength2 elements . | 158 | 36 |
156,022 | public static < E > void addAll ( Collection < E > pCollection , Iterator < ? extends E > pIterator ) { while ( pIterator . hasNext ( ) ) { pCollection . add ( pIterator . next ( ) ) ; } } | Adds all elements of the iterator to the collection . | 53 | 10 |
156,023 | < T > void registerSPIs ( final URL pResource , final Class < T > pCategory , final ClassLoader pLoader ) { Properties classNames = new Properties ( ) ; try { classNames . load ( pResource . openStream ( ) ) ; } catch ( IOException e ) { throw new ServiceConfigurationError ( e ) ; } if ( ! classNames . isEmpty ( ) ) { @ SuppressWarnings ( { "unchecked" } ) CategoryRegistry < T > registry = categoryMap . get ( pCategory ) ; Set providerClassNames = classNames . keySet ( ) ; for ( Object providerClassName : providerClassNames ) { String className = ( String ) providerClassName ; try { @ SuppressWarnings ( { "unchecked" } ) Class < T > providerClass = ( Class < T > ) Class . forName ( className , true , pLoader ) ; T provider = providerClass . newInstance ( ) ; registry . register ( provider ) ; } catch ( ClassNotFoundException e ) { throw new ServiceConfigurationError ( e ) ; } catch ( IllegalAccessException e ) { throw new ServiceConfigurationError ( e ) ; } catch ( InstantiationException e ) { throw new ServiceConfigurationError ( e ) ; } catch ( IllegalArgumentException e ) { throw new ServiceConfigurationError ( e ) ; } } } } | Registers all SPIs listed in the given resource . | 289 | 11 |
156,024 | private < T > CategoryRegistry < T > getRegistry ( final Class < T > pCategory ) { @ SuppressWarnings ( { "unchecked" } ) CategoryRegistry < T > registry = categoryMap . get ( pCategory ) ; if ( registry == null ) { throw new IllegalArgumentException ( "No such category: " + pCategory . getName ( ) ) ; } return registry ; } | Gets the category registry for the given category . | 89 | 10 |
156,025 | public boolean register ( final Object pProvider ) { Iterator < Class < ? > > categories = compatibleCategories ( pProvider ) ; boolean registered = false ; while ( categories . hasNext ( ) ) { Class < ? > category = categories . next ( ) ; if ( registerImpl ( pProvider , category ) && ! registered ) { registered = true ; } } return registered ; } | Registers the given provider for all categories it matches . | 80 | 11 |
156,026 | public < T > boolean register ( final T pProvider , final Class < ? super T > pCategory ) { return registerImpl ( pProvider , pCategory ) ; } | Registers the given provider for the given category . | 35 | 10 |
156,027 | public boolean deregister ( final Object pProvider ) { Iterator < Class < ? > > categories = containingCategories ( pProvider ) ; boolean deregistered = false ; while ( categories . hasNext ( ) ) { Class < ? > category = categories . next ( ) ; if ( deregister ( pProvider , category ) && ! deregistered ) { deregistered = true ; } } return deregistered ; } | De - registers the given provider from all categories it s currently registered in . | 85 | 15 |
156,028 | public static boolean isEmpty ( String [ ] pStringArray ) { // No elements to test if ( pStringArray == null ) { return true ; } // Test all the elements for ( String string : pStringArray ) { if ( ! isEmpty ( string ) ) { return false ; } } // All elements are empty return true ; } | Tests a string array to see if all items are null or an empty string . | 71 | 17 |
156,029 | public static boolean contains ( String pContainer , String pLookFor ) { return ( ( pContainer != null ) && ( pLookFor != null ) && ( pContainer . indexOf ( pLookFor ) >= 0 ) ) ; } | Tests if a string contains another string . | 49 | 9 |
156,030 | public static boolean containsIgnoreCase ( String pString , int pChar ) { return ( ( pString != null ) && ( ( pString . indexOf ( Character . toLowerCase ( ( char ) pChar ) ) >= 0 ) || ( pString . indexOf ( Character . toUpperCase ( ( char ) pChar ) ) >= 0 ) ) ) ; // NOTE: I don't convert the string to uppercase, but instead test // the string (potentially) two times, as this is more efficient for // long strings (in most cases). } | Tests if a string contains a specific character ignoring case . | 120 | 12 |
156,031 | public static int indexOfIgnoreCase ( String pString , int pChar , int pPos ) { if ( ( pString == null ) ) { return - 1 ; } // Get first char char lower = Character . toLowerCase ( ( char ) pChar ) ; char upper = Character . toUpperCase ( ( char ) pChar ) ; int indexLower ; int indexUpper ; // Test for char indexLower = pString . indexOf ( lower , pPos ) ; indexUpper = pString . indexOf ( upper , pPos ) ; if ( indexLower < 0 ) { /* if (indexUpper < 0) return -1; // First char not found else */ return indexUpper ; // Only upper } else if ( indexUpper < 0 ) { return indexLower ; // Only lower } else { // Both found, select first occurence return ( indexLower < indexUpper ) ? indexLower : indexUpper ; } } | Returns the index within this string of the first occurrence of the specified character starting at the specified index . | 203 | 20 |
156,032 | public static int lastIndexOfIgnoreCase ( String pString , int pChar ) { return lastIndexOfIgnoreCase ( pString , pChar , pString != null ? pString . length ( ) : - 1 ) ; } | Returns the index within this string of the last occurrence of the specified character . | 50 | 15 |
156,033 | public static int lastIndexOfIgnoreCase ( String pString , int pChar , int pPos ) { if ( ( pString == null ) ) { return - 1 ; } // Get first char char lower = Character . toLowerCase ( ( char ) pChar ) ; char upper = Character . toUpperCase ( ( char ) pChar ) ; int indexLower ; int indexUpper ; // Test for char indexLower = pString . lastIndexOf ( lower , pPos ) ; indexUpper = pString . lastIndexOf ( upper , pPos ) ; if ( indexLower < 0 ) { /* if (indexUpper < 0) return -1; // First char not found else */ return indexUpper ; // Only upper } else if ( indexUpper < 0 ) { return indexLower ; // Only lower } else { // Both found, select last occurence return ( indexLower > indexUpper ) ? indexLower : indexUpper ; } } | Returns the index within this string of the last occurrence of the specified character searching backward starting at the specified index . | 206 | 22 |
156,034 | public static String ltrim ( String pString ) { if ( ( pString == null ) || ( pString . length ( ) == 0 ) ) { return pString ; // Null or empty string } for ( int i = 0 ; i < pString . length ( ) ; i ++ ) { if ( ! Character . isWhitespace ( pString . charAt ( i ) ) ) { if ( i == 0 ) { return pString ; // First char is not whitespace } else { return pString . substring ( i ) ; // Return rest after whitespace } } } // If all whitespace, return empty string return "" ; } | Trims the argument string for whitespace on the left side only . | 137 | 14 |
156,035 | public static String replace ( String pSource , String pPattern , String pReplace ) { if ( pPattern . length ( ) == 0 ) { return pSource ; // Special case: No pattern to replace } int match ; int offset = 0 ; StringBuilder result = new StringBuilder ( ) ; // Loop string, until last occurence of pattern, and replace while ( ( match = pSource . indexOf ( pPattern , offset ) ) != - 1 ) { // Append everything until pattern result . append ( pSource . substring ( offset , match ) ) ; // Append the replace string result . append ( pReplace ) ; offset = match + pPattern . length ( ) ; } // Append rest of string and return result . append ( pSource . substring ( offset ) ) ; return result . toString ( ) ; } | Replaces a substring of a string with another string . All matches are replaced . | 178 | 17 |
156,036 | public static String replaceIgnoreCase ( String pSource , String pPattern , String pReplace ) { if ( pPattern . length ( ) == 0 ) { return pSource ; // Special case: No pattern to replace } int match ; int offset = 0 ; StringBuilder result = new StringBuilder ( ) ; while ( ( match = indexOfIgnoreCase ( pSource , pPattern , offset ) ) != - 1 ) { result . append ( pSource . substring ( offset , match ) ) ; result . append ( pReplace ) ; offset = match + pPattern . length ( ) ; } result . append ( pSource . substring ( offset ) ) ; return result . toString ( ) ; } | Replaces a substring of a string with another string ignoring case . All matches are replaced . | 150 | 19 |
156,037 | public static String capitalize ( String pString , int pIndex ) { if ( pIndex < 0 ) { throw new IndexOutOfBoundsException ( "Negative index not allowed: " + pIndex ) ; } if ( pString == null || pString . length ( ) <= pIndex ) { return pString ; } // This is the fastest method, according to my tests // Skip array duplication if allready capitalized if ( Character . isUpperCase ( pString . charAt ( pIndex ) ) ) { return pString ; } // Convert to char array, capitalize and create new String char [ ] charArray = pString . toCharArray ( ) ; charArray [ pIndex ] = Character . toUpperCase ( charArray [ pIndex ] ) ; return new String ( charArray ) ; /** StringBuilder buf = new StringBuilder(pString); buf.setCharAt(pIndex, Character.toUpperCase(buf.charAt(pIndex))); return buf.toString(); //*/ /** return pString.substring(0, pIndex) + Character.toUpperCase(pString.charAt(pIndex)) + pString.substring(pIndex + 1); //*/ } | Makes the Nth letter of a String uppercase . If the index is outside the the length of the argument string the argument is simply returned . | 260 | 31 |
156,038 | public static String pad ( String pSource , int pRequiredLength , String pPadString , boolean pPrepend ) { if ( pPadString == null || pPadString . length ( ) == 0 ) { throw new IllegalArgumentException ( "Pad string: \"" + pPadString + "\"" ) ; } if ( pSource . length ( ) >= pRequiredLength ) { return pSource ; } // TODO: Benchmark the new version against the old one, to see if it's really faster // Rewrite to first create pad // - pad += pad; - until length is >= gap // then append the pad and cut if too long int gap = pRequiredLength - pSource . length ( ) ; StringBuilder result = new StringBuilder ( pPadString ) ; while ( result . length ( ) < gap ) { result . append ( result ) ; } if ( result . length ( ) > gap ) { result . delete ( gap , result . length ( ) ) ; } return pPrepend ? result . append ( pSource ) . toString ( ) : result . insert ( 0 , pSource ) . toString ( ) ; /* StringBuilder result = new StringBuilder(pSource); // Concatenation until proper string length while (result.length() < pRequiredLength) { // Prepend or append if (pPrepend) { // Front result.insert(0, pPadString); } else { // Back result.append(pPadString); } } // Truncate if (result.length() > pRequiredLength) { if (pPrepend) { result.delete(0, result.length() - pRequiredLength); } else { result.delete(pRequiredLength, result.length()); } } return result.toString(); */ } | String length check with simple concatenation of selected pad - string . E . g . a zip number from 123 to the correct 0123 . | 376 | 29 |
156,039 | public static String [ ] toStringArray ( String pString , String pDelimiters ) { if ( isEmpty ( pString ) ) { return new String [ 0 ] ; } StringTokenIterator st = new StringTokenIterator ( pString , pDelimiters ) ; List < String > v = new ArrayList < String > ( ) ; while ( st . hasMoreElements ( ) ) { v . add ( st . nextToken ( ) ) ; } return v . toArray ( new String [ v . size ( ) ] ) ; } | Converts a delimiter separated String to an array of Strings . | 117 | 14 |
156,040 | public static int [ ] toIntArray ( String pString , String pDelimiters , int pBase ) { if ( isEmpty ( pString ) ) { return new int [ 0 ] ; } // Some room for improvement here... String [ ] temp = toStringArray ( pString , pDelimiters ) ; int [ ] array = new int [ temp . length ] ; for ( int i = 0 ; i < array . length ; i ++ ) { array [ i ] = Integer . parseInt ( temp [ i ] , pBase ) ; } return array ; } | Converts a comma - separated String to an array of ints . | 123 | 14 |
156,041 | public static long [ ] toLongArray ( String pString , String pDelimiters ) { if ( isEmpty ( pString ) ) { return new long [ 0 ] ; } // Some room for improvement here... String [ ] temp = toStringArray ( pString , pDelimiters ) ; long [ ] array = new long [ temp . length ] ; for ( int i = 0 ; i < array . length ; i ++ ) { array [ i ] = Long . parseLong ( temp [ i ] ) ; } return array ; } | Converts a comma - separated String to an array of longs . | 116 | 14 |
156,042 | public static double [ ] toDoubleArray ( String pString , String pDelimiters ) { if ( isEmpty ( pString ) ) { return new double [ 0 ] ; } // Some room for improvement here... String [ ] temp = toStringArray ( pString , pDelimiters ) ; double [ ] array = new double [ temp . length ] ; for ( int i = 0 ; i < array . length ; i ++ ) { array [ i ] = Double . valueOf ( temp [ i ] ) ; // Double.parseDouble() is 1.2... } return array ; } | Converts a comma - separated String to an array of doubles . | 127 | 13 |
156,043 | public static String toCSVString ( Object [ ] pStringArray , String pDelimiterString ) { if ( pStringArray == null ) { return "" ; } if ( pDelimiterString == null ) { throw new IllegalArgumentException ( "delimiter == null" ) ; } StringBuilder buffer = new StringBuilder ( ) ; for ( int i = 0 ; i < pStringArray . length ; i ++ ) { if ( i > 0 ) { buffer . append ( pDelimiterString ) ; } buffer . append ( pStringArray [ i ] ) ; } return buffer . toString ( ) ; } | Converts a string array to a string separated by the given delimiter . | 134 | 15 |
156,044 | static void loadLibrary0 ( String pLibrary , String pResource , ClassLoader pLoader ) { if ( pLibrary == null ) { throw new IllegalArgumentException ( "library == null" ) ; } // Try loading normal way UnsatisfiedLinkError unsatisfied ; try { System . loadLibrary ( pLibrary ) ; return ; } catch ( UnsatisfiedLinkError err ) { // Ignore unsatisfied = err ; } final ClassLoader loader = pLoader != null ? pLoader : Thread . currentThread ( ) . getContextClassLoader ( ) ; final String resource = pResource != null ? pResource : getResourceFor ( pLibrary ) ; // TODO: resource may be null, and that MIGHT be okay, IFF the resource // is allready unpacked to the user dir... However, we then need another // way to resolve the library extension... // Right now we just fail in a predictable way (no NPE)! if ( resource == null ) { throw unsatisfied ; } // Default to load/store from user.home File dir = new File ( System . getProperty ( "user.home" ) + "/.twelvemonkeys/lib" ) ; dir . mkdirs ( ) ; //File libraryFile = new File(dir.getAbsolutePath(), pLibrary + LIBRARY_EXTENSION); File libraryFile = new File ( dir . getAbsolutePath ( ) , pLibrary + "." + FileUtil . getExtension ( resource ) ) ; if ( ! libraryFile . exists ( ) ) { try { extractToUserDir ( resource , libraryFile , loader ) ; } catch ( IOException ioe ) { UnsatisfiedLinkError err = new UnsatisfiedLinkError ( "Unable to extract resource to dir: " + libraryFile . getAbsolutePath ( ) ) ; err . initCause ( ioe ) ; throw err ; } } // Try to load the library from the file we just wrote System . load ( libraryFile . getAbsolutePath ( ) ) ; } | Loads a native library . | 431 | 6 |
156,045 | public Rational plus ( final Rational pOther ) { // special cases if ( equals ( ZERO ) ) { return pOther ; } if ( pOther . equals ( ZERO ) ) { return this ; } // Find gcd of numerators and denominators long f = gcd ( numerator , pOther . numerator ) ; long g = gcd ( denominator , pOther . denominator ) ; // add cross-product terms for numerator // multiply back in return new Rational ( ( ( numerator / f ) * ( pOther . denominator / g ) + ( pOther . numerator / f ) * ( denominator / g ) ) * f , lcm ( denominator , pOther . denominator ) ) ; } | return a + b staving off overflow | 155 | 8 |
156,046 | public void service ( PageContext pContext ) throws ServletException , IOException { JspWriter writer = pContext . getOut ( ) ; writer . print ( value ) ; } | Services the page fragment . This version simply prints the value of this parameter to teh PageContext s out . | 38 | 22 |
156,047 | static void main ( String [ ] argv ) { Time time = null ; TimeFormat in = null ; TimeFormat out = null ; if ( argv . length >= 3 ) { System . out . println ( "Creating out TimeFormat: \"" + argv [ 2 ] + "\"" ) ; out = new TimeFormat ( argv [ 2 ] ) ; } if ( argv . length >= 2 ) { System . out . println ( "Creating in TimeFormat: \"" + argv [ 1 ] + "\"" ) ; in = new TimeFormat ( argv [ 1 ] ) ; } else { System . out . println ( "Using default format for in" ) ; in = DEFAULT_FORMAT ; } if ( out == null ) out = in ; if ( argv . length >= 1 ) { System . out . println ( "Parsing: \"" + argv [ 0 ] + "\" with format \"" + in . formatString + "\"" ) ; time = in . parse ( argv [ 0 ] ) ; } else time = new Time ( ) ; System . out . println ( "Time is \"" + out . format ( time ) + "\" according to format \"" + out . formatString + "\"" ) ; } | Main method for testing ONLY | 271 | 5 |
156,048 | public String format ( Time pTime ) { StringBuilder buf = new StringBuilder ( ) ; for ( int i = 0 ; i < formatter . length ; i ++ ) { buf . append ( formatter [ i ] . format ( pTime ) ) ; } return buf . toString ( ) ; } | Formats the the given time using this format . | 64 | 10 |
156,049 | static long getDateHeader ( final String pHeaderValue ) { long date = - 1L ; if ( pHeaderValue != null ) { date = HTTPUtil . parseHTTPDate ( pHeaderValue ) ; } return date ; } | Utility to read a date header from a cached response . | 52 | 12 |
156,050 | public void service ( ServletRequest pRequest , ServletResponse pResponse ) throws IOException , ServletException { int red = 0 ; int green = 0 ; int blue = 0 ; // Get color parameter and parse color String rgb = pRequest . getParameter ( RGB_PARAME ) ; if ( rgb != null && rgb . length ( ) >= 6 && rgb . length ( ) <= 7 ) { int index = 0 ; // If the hash ('#') character is included, skip it. if ( rgb . length ( ) == 7 ) { index ++ ; } try { // Two digit hex for each color String r = rgb . substring ( index , index += 2 ) ; red = Integer . parseInt ( r , 0x10 ) ; String g = rgb . substring ( index , index += 2 ) ; green = Integer . parseInt ( g , 0x10 ) ; String b = rgb . substring ( index , index += 2 ) ; blue = Integer . parseInt ( b , 0x10 ) ; } catch ( NumberFormatException nfe ) { log ( "Wrong color format for ColorDroplet: " + rgb + ". Must be RRGGBB." ) ; } } // Set MIME type for PNG pResponse . setContentType ( "image/png" ) ; ServletOutputStream out = pResponse . getOutputStream ( ) ; try { // Write header (and palette chunk length) out . write ( PNG_IMG , 0 , PLTE_CHUNK_START ) ; // Create palette chunk, excl lenght, and write byte [ ] palette = makePalette ( red , green , blue ) ; out . write ( palette ) ; // Write image data until end int pos = PLTE_CHUNK_START + PLTE_CHUNK_LENGTH + 4 ; out . write ( PNG_IMG , pos , PNG_IMG . length - pos ) ; } finally { out . flush ( ) ; } } | Renders the 1 x 1 single color PNG to the response . | 420 | 13 |
156,051 | public static String getParameter ( final ServletRequest pReq , final String pName , final String pDefault ) { String str = pReq . getParameter ( pName ) ; return str != null ? str : pDefault ; } | Gets the value of the given parameter from the request or if the parameter is not set the default value . | 50 | 22 |
156,052 | static < T > T getParameter ( final ServletRequest pReq , final String pName , final Class < T > pType , final String pFormat , final T pDefault ) { // Test if pDefault is either null or instance of pType if ( pDefault != null && ! pType . isInstance ( pDefault ) ) { throw new IllegalArgumentException ( "default value not instance of " + pType + ": " + pDefault . getClass ( ) ) ; } String str = pReq . getParameter ( pName ) ; if ( str == null ) { return pDefault ; } try { return pType . cast ( Converter . getInstance ( ) . toObject ( str , pType , pFormat ) ) ; } catch ( ConversionException ce ) { return pDefault ; } } | Gets the value of the given parameter from the request converted to an Object . If the parameter is not set or not parseable the default value is returned . | 173 | 32 |
156,053 | static String getScriptName ( final HttpServletRequest pRequest ) { String requestURI = pRequest . getRequestURI ( ) ; return StringUtil . getLastElement ( requestURI , "/" ) ; } | Gets the name of the servlet or the script that generated the servlet . | 46 | 17 |
156,054 | public static String getSessionId ( final HttpServletRequest pRequest ) { HttpSession session = pRequest . getSession ( ) ; return ( session != null ) ? session . getId ( ) : null ; } | Gets the unique identifier assigned to this session . The identifier is assigned by the servlet container and is implementation dependent . | 47 | 24 |
156,055 | protected static Object toUpper ( final Object pObject ) { if ( pObject instanceof String ) { return ( ( String ) pObject ) . toUpperCase ( ) ; } return pObject ; } | Converts the parameter to uppercase if it s a String . | 44 | 14 |
156,056 | private static long scanForSequence ( final ImageInputStream pStream , final byte [ ] pSequence ) throws IOException { long start = - 1l ; int index = 0 ; int nullBytes = 0 ; for ( int read ; ( read = pStream . read ( ) ) >= 0 ; ) { if ( pSequence [ index ] == ( byte ) read ) { // If this is the first byte in the sequence, store position if ( start == - 1 ) { start = pStream . getStreamPosition ( ) - 1 ; } // Inside the sequence, there might be 1 or 3 null bytes, depending on 16/32 byte encoding if ( nullBytes == 1 || nullBytes == 3 ) { pStream . skipBytes ( nullBytes ) ; } index ++ ; // If we found the entire sequence, we're done, return start position if ( index == pSequence . length ) { return start ; } } else if ( index == 1 && read == 0 && nullBytes < 3 ) { // Skip 1 or 3 null bytes for 16/32 bit encoding nullBytes ++ ; } else if ( index != 0 ) { // Start over index = 0 ; start = - 1 ; nullBytes = 0 ; } } return - 1l ; } | Scans for a given ASCII sequence . | 262 | 8 |
156,057 | private static InputStream getResourceAsStream ( ClassLoader pClassLoader , String pName , boolean pGuessSuffix ) { InputStream is ; if ( ! pGuessSuffix ) { is = pClassLoader . getResourceAsStream ( pName ) ; // If XML, wrap stream if ( is != null && pName . endsWith ( XML_PROPERTIES ) ) { is = new XMLPropertiesInputStream ( is ) ; } } else { // Try normal properties is = pClassLoader . getResourceAsStream ( pName + STD_PROPERTIES ) ; // Try XML if ( is == null ) { is = pClassLoader . getResourceAsStream ( pName + XML_PROPERTIES ) ; // Wrap stream if ( is != null ) { is = new XMLPropertiesInputStream ( is ) ; } } } // Return stream return is ; } | Gets the named resource as a stream from the given Class Classoader . If the pGuessSuffix parameter is true the method will try to append typical properties file suffixes such as . properties or . xml . | 191 | 46 |
156,058 | private static InputStream getFileAsStream ( String pName , boolean pGuessSuffix ) { InputStream is = null ; File propertiesFile ; try { if ( ! pGuessSuffix ) { // Get file propertiesFile = new File ( pName ) ; if ( propertiesFile . exists ( ) ) { is = new FileInputStream ( propertiesFile ) ; // If XML, wrap stream if ( pName . endsWith ( XML_PROPERTIES ) ) { is = new XMLPropertiesInputStream ( is ) ; } } } else { // Try normal properties propertiesFile = new File ( pName + STD_PROPERTIES ) ; if ( propertiesFile . exists ( ) ) { is = new FileInputStream ( propertiesFile ) ; } else { // Try XML propertiesFile = new File ( pName + XML_PROPERTIES ) ; if ( propertiesFile . exists ( ) ) { // Wrap stream is = new XMLPropertiesInputStream ( new FileInputStream ( propertiesFile ) ) ; } } } } catch ( FileNotFoundException fnf ) { // Should not happen, as we always test that the file .exists() // before creating InputStream // assert false; } return is ; } | Gets the named file as a stream from the current directory . If the pGuessSuffix parameter is true the method will try to append typical properties file suffixes such as . properties or . xml . | 260 | 43 |
156,059 | private static Properties loadProperties ( InputStream pInput ) throws IOException { if ( pInput == null ) { throw new IllegalArgumentException ( "InputStream == null!" ) ; } Properties mapping = new Properties ( ) ; /*if (pInput instanceof XMLPropertiesInputStream) { mapping = new XMLProperties(); } else { mapping = new Properties(); }*/ // Load the properties mapping . load ( pInput ) ; return mapping ; } | Returns a Properties loaded from the given inputstream . If the given inputstream is null then an empty Properties object is returned . | 95 | 25 |
156,060 | private static char initMaxDelimiter ( char [ ] pDelimiters ) { if ( pDelimiters == null ) { return 0 ; } char max = 0 ; for ( char c : pDelimiters ) { if ( max < c ) { max = c ; } } return max ; } | Returns the highest char in the delimiter set . | 68 | 10 |
156,061 | private Rectangle getPICTFrame ( ) throws IOException { if ( frame == null ) { // Read in header information readPICTHeader ( imageInput ) ; if ( DEBUG ) { System . out . println ( "Done reading PICT header!" ) ; } } return frame ; } | Open and read the frame size of the PICT file . | 62 | 12 |
156,062 | private void readPICTHeader ( final ImageInputStream pStream ) throws IOException { pStream . seek ( 0l ) ; try { readPICTHeader0 ( pStream ) ; } catch ( IIOException e ) { // Rest and try again pStream . seek ( 0l ) ; // Skip first 512 bytes PICTImageReaderSpi . skipNullHeader ( pStream ) ; readPICTHeader0 ( pStream ) ; } } | Read the PICT header . The information read is shown on stdout if DEBUG is true . | 100 | 19 |
156,063 | private void readRectangle ( DataInput pStream , Rectangle pDestRect ) throws IOException { int y = pStream . readUnsignedShort ( ) ; int x = pStream . readUnsignedShort ( ) ; int h = pStream . readUnsignedShort ( ) ; int w = pStream . readUnsignedShort ( ) ; pDestRect . setLocation ( getXPtCoord ( x ) , getYPtCoord ( y ) ) ; pDestRect . setSize ( getXPtCoord ( w - x ) , getYPtCoord ( h - y ) ) ; } | Reads the rectangle location and size from an 8 - byte rectangle stream . | 130 | 15 |
156,064 | private Polygon readPoly ( DataInput pStream , Rectangle pBounds ) throws IOException { // Get polygon data size int size = pStream . readUnsignedShort ( ) ; // Get poly bounds readRectangle ( pStream , pBounds ) ; // Initialize the point array to the right size int points = ( size - 10 ) / 4 ; // Get the rest of the polygon points Polygon polygon = new Polygon ( ) ; for ( int i = 0 ; i < points ; i ++ ) { int y = getYPtCoord ( pStream . readShort ( ) ) ; int x = getXPtCoord ( pStream . readShort ( ) ) ; polygon . addPoint ( x , y ) ; } if ( ! pBounds . contains ( polygon . getBounds ( ) ) ) { processWarningOccurred ( "Bad poly, contains point(s) out of bounds " + pBounds + ": " + polygon ) ; } return polygon ; } | Read in a polygon . The input stream should be positioned at the first byte of the polygon . | 217 | 21 |
156,065 | public void setMaxConcurrentThreadCount ( String pMaxConcurrentThreadCount ) { if ( ! StringUtil . isEmpty ( pMaxConcurrentThreadCount ) ) { try { maxConcurrentThreadCount = Integer . parseInt ( pMaxConcurrentThreadCount ) ; } catch ( NumberFormatException nfe ) { // Use default } } } | Sets the minimum free thread count . | 74 | 8 |
156,066 | private String getContentType ( HttpServletRequest pRequest ) { if ( responseMessageTypes != null ) { String accept = pRequest . getHeader ( "Accept" ) ; for ( String type : responseMessageTypes ) { // Note: This is not 100% correct way of doing content negotiation // But we just want a compatible result, quick, so this is okay if ( StringUtil . contains ( accept , type ) ) { return type ; } } } // If none found, return default return DEFAULT_TYPE ; } | Gets the content type for the response suitable for the requesting user agent . | 111 | 15 |
156,067 | private String getMessage ( String pContentType ) { String fileName = responseMessageNames . get ( pContentType ) ; // Get cached value CacheEntry entry = responseCache . get ( fileName ) ; if ( ( entry == null ) || entry . isExpired ( ) ) { // Create and add or replace cached value entry = new CacheEntry ( readMessage ( fileName ) ) ; responseCache . put ( fileName , entry ) ; } // Return value return ( entry . getValue ( ) != null ) ? ( String ) entry . getValue ( ) : DEFUALT_RESPONSE_MESSAGE ; } | Gets the response message for the given content type . | 134 | 11 |
156,068 | private String readMessage ( String pFileName ) { try { // Read resource from web app InputStream is = getServletContext ( ) . getResourceAsStream ( pFileName ) ; if ( is != null ) { return new String ( FileUtil . read ( is ) ) ; } else { log ( "File not found: " + pFileName ) ; } } catch ( IOException ioe ) { log ( "Error reading file: " + pFileName + " (" + ioe . getMessage ( ) + ")" ) ; } return null ; } | Reads the response message from a file in the current web app . | 121 | 14 |
156,069 | public void init ( ) throws ServletException { FilterConfig config = getFilterConfig ( ) ; // Default don't delete cache files on exit (persistent cache) boolean deleteCacheOnExit = "TRUE" . equalsIgnoreCase ( config . getInitParameter ( "deleteCacheOnExit" ) ) ; // Default expiry time 10 minutes int expiryTime = 10 * 60 * 1000 ; String expiryTimeStr = config . getInitParameter ( "expiryTime" ) ; if ( ! StringUtil . isEmpty ( expiryTimeStr ) ) { try { // TODO: This is insane.. :-P Let the expiry time be in minutes or seconds.. expiryTime = Integer . parseInt ( expiryTimeStr ) ; } catch ( NumberFormatException e ) { throw new ServletConfigException ( "Could not parse expiryTime: " + e . toString ( ) , e ) ; } } // Default max mem cache size 10 MB int memCacheSize = 10 ; String memCacheSizeStr = config . getInitParameter ( "memCacheSize" ) ; if ( ! StringUtil . isEmpty ( memCacheSizeStr ) ) { try { memCacheSize = Integer . parseInt ( memCacheSizeStr ) ; } catch ( NumberFormatException e ) { throw new ServletConfigException ( "Could not parse memCacheSize: " + e . toString ( ) , e ) ; } } int maxCachedEntites = 10000 ; try { cache = new HTTPCache ( getTempFolder ( ) , expiryTime , memCacheSize * 1024 * 1024 , maxCachedEntites , deleteCacheOnExit , new ServletContextLoggerAdapter ( getFilterName ( ) , getServletContext ( ) ) ) { @ Override protected File getRealFile ( CacheRequest pRequest ) { String contextRelativeURI = ServletUtil . getContextRelativeURI ( ( ( ServletCacheRequest ) pRequest ) . getRequest ( ) ) ; String path = getServletContext ( ) . getRealPath ( contextRelativeURI ) ; if ( path != null ) { return new File ( path ) ; } return null ; } } ; log ( "Created cache: " + cache ) ; } catch ( IllegalArgumentException e ) { throw new ServletConfigException ( "Could not create cache: " + e . toString ( ) , e ) ; } } | Initializes the filter | 512 | 4 |
156,070 | protected Entry < K , V > removeEntry ( Entry < K , V > pEntry ) { if ( pEntry == null ) { return null ; } // Find candidate entry for this key Entry < K , V > candidate = getEntry ( pEntry . getKey ( ) ) ; if ( candidate == pEntry || ( candidate != null && candidate . equals ( pEntry ) ) ) { // Remove remove ( pEntry . getKey ( ) ) ; return pEntry ; } return null ; } | Removes the given entry from the Map . | 103 | 9 |
156,071 | public void writeHtml ( JspWriter pOut , String pHtml ) throws IOException { StringTokenizer parser = new StringTokenizer ( pHtml , "<>&" , true ) ; while ( parser . hasMoreTokens ( ) ) { String token = parser . nextToken ( ) ; if ( token . equals ( "<" ) ) { pOut . print ( "<" ) ; } else if ( token . equals ( ">" ) ) { pOut . print ( ">" ) ; } else if ( token . equals ( "&" ) ) { pOut . print ( "&" ) ; } else { pOut . print ( token ) ; } } } | writeHtml ensures that the text being outputted appears as it was entered . This prevents users from hacking the system by entering html or jsp code into an entry form where that value will be displayed later in the site . | 147 | 45 |
156,072 | public String getInitParameter ( String pName , int pScope ) { switch ( pScope ) { case PageContext . PAGE_SCOPE : return getServletConfig ( ) . getInitParameter ( pName ) ; case PageContext . APPLICATION_SCOPE : return getServletContext ( ) . getInitParameter ( pName ) ; default : throw new IllegalArgumentException ( "Illegal scope." ) ; } } | Returns the initialisation parameter from the scope specified with the name specified . | 90 | 14 |
156,073 | public Enumeration getInitParameterNames ( int pScope ) { switch ( pScope ) { case PageContext . PAGE_SCOPE : return getServletConfig ( ) . getInitParameterNames ( ) ; case PageContext . APPLICATION_SCOPE : return getServletContext ( ) . getInitParameterNames ( ) ; default : throw new IllegalArgumentException ( "Illegal scope" ) ; } } | Returns an enumeration containing all the parameters defined in the scope specified by the parameter . | 87 | 17 |
156,074 | public InputStream getResourceAsStream ( String pPath ) { //throws MalformedURLException { String path = pPath ; if ( pPath != null && ! pPath . startsWith ( "/" ) ) { path = getContextPath ( ) + pPath ; } return pageContext . getServletContext ( ) . getResourceAsStream ( path ) ; } | Gets the resource associated with the given relative path for the current JSP page request . The path may be absolute or relative to the current context root . | 80 | 31 |
156,075 | public static boolean isCS_sRGB ( final ICC_Profile profile ) { Validate . notNull ( profile , "profile" ) ; return profile . getColorSpaceType ( ) == ColorSpace . TYPE_RGB && Arrays . equals ( getProfileHeaderWithProfileId ( profile ) , sRGB . header ) ; } | Tests whether an ICC color profile is equal to the default sRGB profile . | 68 | 16 |
156,076 | public Object toObject ( String pString , Class pType , String pFormat ) throws ConversionException { if ( StringUtil . isEmpty ( pString ) ) return null ; try { DateFormat format ; if ( pFormat == null ) { // Use system default format, using default locale format = DateFormat . getDateTimeInstance ( ) ; } else { // Get format from cache format = getDateFormat ( pFormat ) ; } Date date = StringUtil . toDate ( pString , format ) ; // Allow for conversion to Date subclasses (ie. java.sql.*) if ( pType != Date . class ) { try { date = ( Date ) BeanUtil . createInstance ( pType , new Long ( date . getTime ( ) ) ) ; } catch ( ClassCastException e ) { throw new TypeMismathException ( pType ) ; } catch ( InvocationTargetException e ) { throw new ConversionException ( e ) ; } } return date ; } catch ( RuntimeException rte ) { throw new ConversionException ( rte ) ; } } | Converts the string to a date using the given format for parsing . | 226 | 14 |
156,077 | private static int [ ] toRGBArray ( int pARGB , int [ ] pBuffer ) { pBuffer [ 0 ] = ( ( pARGB & 0x00ff0000 ) >> 16 ) ; pBuffer [ 1 ] = ( ( pARGB & 0x0000ff00 ) >> 8 ) ; pBuffer [ 2 ] = ( ( pARGB & 0x000000ff ) ) ; //pBuffer[3] = ((pARGB & 0xff000000) >> 24); // alpha return pBuffer ; } | Converts an int ARGB to int triplet . | 110 | 11 |
156,078 | protected RenderedImage doFilter ( BufferedImage pImage , ServletRequest pRequest , ImageServletResponse pResponse ) { // Get quality setting // SMOOTH | FAST | REPLICATE | DEFAULT | AREA_AVERAGING // See Image (mHints) int quality = getQuality ( pRequest . getParameter ( PARAM_SCALE_QUALITY ) ) ; // Get units, default is pixels // PIXELS | PERCENT | METRIC | INCHES int units = getUnits ( pRequest . getParameter ( PARAM_SCALE_UNITS ) ) ; if ( units == UNITS_UNKNOWN ) { log ( "Unknown units for scale, returning original." ) ; return pImage ; } // Use uniform scaling? Default is true boolean uniformScale = ServletUtil . getBooleanParameter ( pRequest , PARAM_SCALE_UNIFORM , true ) ; // Get dimensions int width = ServletUtil . getIntParameter ( pRequest , PARAM_SCALE_X , - 1 ) ; int height = ServletUtil . getIntParameter ( pRequest , PARAM_SCALE_Y , - 1 ) ; // Get dimensions for scaled image Dimension dim = getDimensions ( pImage , width , height , units , uniformScale ) ; width = ( int ) dim . getWidth ( ) ; height = ( int ) dim . getHeight ( ) ; // Return scaled instance directly return ImageUtil . createScaled ( pImage , width , height , quality ) ; } | Reads the image from the requested URL scales it and returns it in the Servlet stream . See above for details on parameters . | 330 | 26 |
156,079 | protected int getQuality ( String pQualityStr ) { if ( ! StringUtil . isEmpty ( pQualityStr ) ) { try { // Get quality constant from Image using reflection Class cl = Image . class ; Field field = cl . getField ( pQualityStr . toUpperCase ( ) ) ; return field . getInt ( null ) ; } catch ( IllegalAccessException ia ) { log ( "Unable to get quality." , ia ) ; } catch ( NoSuchFieldException nsf ) { log ( "Unable to get quality." , nsf ) ; } } return defaultScaleQuality ; } | Gets the quality constant for the scaling from the string argument . | 130 | 13 |
156,080 | protected int getUnits ( String pUnitStr ) { if ( StringUtil . isEmpty ( pUnitStr ) || pUnitStr . equalsIgnoreCase ( "PIXELS" ) ) { return UNITS_PIXELS ; } else if ( pUnitStr . equalsIgnoreCase ( "PERCENT" ) ) { return UNITS_PERCENT ; } else { return UNITS_UNKNOWN ; } } | Gets the units constant for the width and height arguments from the given string argument . | 90 | 17 |
156,081 | private int getHuffmanValue ( final int table [ ] , final int temp [ ] , final int index [ ] ) throws IOException { int code , input ; final int mask = 0xFFFF ; if ( index [ 0 ] < 8 ) { temp [ 0 ] <<= 8 ; input = this . input . readUnsignedByte ( ) ; if ( input == 0xFF ) { marker = this . input . readUnsignedByte ( ) ; if ( marker != 0 ) { markerIndex = 9 ; } } temp [ 0 ] |= input ; } else { index [ 0 ] -= 8 ; } code = table [ temp [ 0 ] >> index [ 0 ] ] ; if ( ( code & MSB ) != 0 ) { if ( markerIndex != 0 ) { markerIndex = 0 ; return 0xFF00 | marker ; } temp [ 0 ] &= ( mask >> ( 16 - index [ 0 ] ) ) ; temp [ 0 ] <<= 8 ; input = this . input . readUnsignedByte ( ) ; if ( input == 0xFF ) { marker = this . input . readUnsignedByte ( ) ; if ( marker != 0 ) { markerIndex = 9 ; } } temp [ 0 ] |= input ; code = table [ ( ( code & 0xFF ) * 256 ) + ( temp [ 0 ] >> index [ 0 ] ) ] ; index [ 0 ] += 8 ; } index [ 0 ] += 8 - ( code >> 8 ) ; if ( index [ 0 ] < 0 ) { throw new IIOException ( "index=" + index [ 0 ] + " temp=" + temp [ 0 ] + " code=" + code + " in HuffmanValue()" ) ; } if ( index [ 0 ] < markerIndex ) { markerIndex = 0 ; return 0xFF00 | marker ; } temp [ 0 ] &= ( mask >> ( 16 - index [ 0 ] ) ) ; return code & 0xFF ; } | will not be called | 414 | 4 |
156,082 | public void write ( final byte [ ] pBytes , final int pOffset , final int pLength ) throws IOException { if ( ! flushOnWrite && pLength < buffer . remaining ( ) ) { // Buffer data buffer . put ( pBytes , pOffset , pLength ) ; } else { // Encode data already in the buffer encodeBuffer ( ) ; // Encode rest without buffering encoder . encode ( out , ByteBuffer . wrap ( pBytes , pOffset , pLength ) ) ; } } | tell the EncoderStream how large buffer it prefers ... | 107 | 11 |
156,083 | private static URL getURLAndSetAuthorization ( final String pURL , final Properties pProperties ) throws MalformedURLException { String url = pURL ; // Split user/password away from url String userPass = null ; String protocolPrefix = HTTP ; int httpIdx = url . indexOf ( HTTPS ) ; if ( httpIdx >= 0 ) { protocolPrefix = HTTPS ; url = url . substring ( httpIdx + HTTPS . length ( ) ) ; } else { httpIdx = url . indexOf ( HTTP ) ; if ( httpIdx >= 0 ) { url = url . substring ( httpIdx + HTTP . length ( ) ) ; } } // Get authorization part int atIdx = url . indexOf ( "@" ) ; if ( atIdx >= 0 ) { userPass = url . substring ( 0 , atIdx ) ; url = url . substring ( atIdx + 1 ) ; } // Set authorization if user/password is present if ( userPass != null ) { // System.out.println("Setting password ("+ userPass + ")!"); pProperties . setProperty ( "Authorization" , "Basic " + BASE64 . encode ( userPass . getBytes ( ) ) ) ; } // Return URL return new URL ( protocolPrefix + url ) ; } | Registers the password from the URL string and returns the URL object . | 285 | 14 |
156,084 | public static HttpURLConnection createHttpURLConnection ( URL pURL , Properties pProperties , boolean pFollowRedirects , int pTimeout ) throws IOException { // Open the connection, and get the stream HttpURLConnection conn ; if ( pTimeout > 0 ) { // Supports timeout conn = new com . twelvemonkeys . net . HttpURLConnection ( pURL , pTimeout ) ; } else { // Faster, more compatible conn = ( HttpURLConnection ) pURL . openConnection ( ) ; } // Set user agent if ( ( pProperties == null ) || ! pProperties . containsKey ( "User-Agent" ) ) { conn . setRequestProperty ( "User-Agent" , VERSION_ID + " (" + System . getProperty ( "os.name" ) + "/" + System . getProperty ( "os.version" ) + "; " + System . getProperty ( "os.arch" ) + "; " + System . getProperty ( "java.vm.name" ) + "/" + System . getProperty ( "java.vm.version" ) + ")" ) ; } // Set request properties if ( pProperties != null ) { for ( Map . Entry < Object , Object > entry : pProperties . entrySet ( ) ) { // Properties key/values can be safely cast to strings conn . setRequestProperty ( ( String ) entry . getKey ( ) , entry . getValue ( ) . toString ( ) ) ; } } try { // Breaks with JRE1.2? conn . setInstanceFollowRedirects ( pFollowRedirects ) ; } catch ( LinkageError le ) { // This is the best we can do... HttpURLConnection . setFollowRedirects ( pFollowRedirects ) ; System . err . println ( "You are using an old Java Spec, consider upgrading." ) ; System . err . println ( "java.net.HttpURLConnection.setInstanceFollowRedirects(" + pFollowRedirects + ") failed." ) ; //le.printStackTrace(System.err); } conn . setDoInput ( true ) ; conn . setDoOutput ( true ) ; //conn.setUseCaches(true); return conn ; } | Creates a HTTP connection to the given URL . | 483 | 10 |
156,085 | public static String encode ( byte [ ] pData ) { int offset = 0 ; int len ; StringBuilder buf = new StringBuilder ( ) ; while ( ( pData . length - offset ) > 0 ) { byte a , b , c ; if ( ( pData . length - offset ) > 2 ) { len = 3 ; } else { len = pData . length - offset ; } switch ( len ) { case 1 : a = pData [ offset ] ; b = 0 ; buf . append ( PEM_ARRAY [ ( a >>> 2 ) & 0x3F ] ) ; buf . append ( PEM_ARRAY [ ( ( a << 4 ) & 0x30 ) + ( ( b >>> 4 ) & 0xf ) ] ) ; buf . append ( ' ' ) ; buf . append ( ' ' ) ; offset ++ ; break ; case 2 : a = pData [ offset ] ; b = pData [ offset + 1 ] ; c = 0 ; buf . append ( PEM_ARRAY [ ( a >>> 2 ) & 0x3F ] ) ; buf . append ( PEM_ARRAY [ ( ( a << 4 ) & 0x30 ) + ( ( b >>> 4 ) & 0xf ) ] ) ; buf . append ( PEM_ARRAY [ ( ( b << 2 ) & 0x3c ) + ( ( c >>> 6 ) & 0x3 ) ] ) ; buf . append ( ' ' ) ; offset += offset + 2 ; // ??? break ; default : a = pData [ offset ] ; b = pData [ offset + 1 ] ; c = pData [ offset + 2 ] ; buf . append ( PEM_ARRAY [ ( a >>> 2 ) & 0x3F ] ) ; buf . append ( PEM_ARRAY [ ( ( a << 4 ) & 0x30 ) + ( ( b >>> 4 ) & 0xf ) ] ) ; buf . append ( PEM_ARRAY [ ( ( b << 2 ) & 0x3c ) + ( ( c >>> 6 ) & 0x3 ) ] ) ; buf . append ( PEM_ARRAY [ c & 0x3F ] ) ; offset = offset + 3 ; break ; } } return buf . toString ( ) ; } | Encodes the input data using the standard base64 encoding scheme . | 482 | 13 |
156,086 | public void setSourceSubsampling ( int pXSub , int pYSub ) { // Re-fetch everything, if subsampling changed if ( xSub != pXSub || ySub != pYSub ) { dispose ( ) ; } if ( pXSub > 1 ) { xSub = pXSub ; } if ( pYSub > 1 ) { ySub = pYSub ; } } | Sets the source subsampling for the new image . | 88 | 12 |
156,087 | public void addProgressListener ( ProgressListener pListener ) { if ( pListener == null ) { return ; } if ( listeners == null ) { listeners = new CopyOnWriteArrayList < ProgressListener > ( ) ; } listeners . add ( pListener ) ; } | Adds a progress listener to this factory . | 55 | 8 |
156,088 | public void removeProgressListener ( ProgressListener pListener ) { if ( pListener == null ) { return ; } if ( listeners == null ) { return ; } listeners . remove ( pListener ) ; } | Removes a progress listener from this factory . | 42 | 9 |
156,089 | protected PasswordAuthentication getPasswordAuthentication ( ) { // Don't worry, this is just a hack to figure out if we were able // to set this Authenticator through the setDefault method. if ( ! sInitialized && MAGIC . equals ( getRequestingScheme ( ) ) && getRequestingPort ( ) == FOURTYTWO ) { return new PasswordAuthentication ( MAGIC , ( "" + FOURTYTWO ) . toCharArray ( ) ) ; } /* System.err.println("getPasswordAuthentication"); System.err.println(getRequestingSite()); System.err.println(getRequestingPort()); System.err.println(getRequestingProtocol()); System.err.println(getRequestingPrompt()); System.err.println(getRequestingScheme()); */ // TODO: // Look for a more specific PasswordAuthenticatior before using // Default: // // if (...) // return pa.requestPasswordAuthentication(getRequestingSite(), // getRequestingPort(), // getRequestingProtocol(), // getRequestingPrompt(), // getRequestingScheme()); return passwordAuthentications . get ( new AuthKey ( getRequestingSite ( ) , getRequestingPort ( ) , getRequestingProtocol ( ) , getRequestingPrompt ( ) , getRequestingScheme ( ) ) ) ; } | Gets the PasswordAuthentication for the request . Called when password authorization is needed . | 290 | 17 |
156,090 | public PasswordAuthentication registerPasswordAuthentication ( URL pURL , PasswordAuthentication pPA ) { return registerPasswordAuthentication ( NetUtil . createInetAddressFromURL ( pURL ) , pURL . getPort ( ) , pURL . getProtocol ( ) , null , // Prompt/Realm BASIC , pPA ) ; } | Registers a PasswordAuthentication with a given URL address . | 73 | 12 |
156,091 | public PasswordAuthentication registerPasswordAuthentication ( InetAddress pAddress , int pPort , String pProtocol , String pPrompt , String pScheme , PasswordAuthentication pPA ) { /* System.err.println("registerPasswordAuthentication"); System.err.println(pAddress); System.err.println(pPort); System.err.println(pProtocol); System.err.println(pPrompt); System.err.println(pScheme); */ return passwordAuthentications . put ( new AuthKey ( pAddress , pPort , pProtocol , pPrompt , pScheme ) , pPA ) ; } | Registers a PasswordAuthentication with a given net address . | 137 | 12 |
156,092 | public PasswordAuthentication unregisterPasswordAuthentication ( URL pURL ) { return unregisterPasswordAuthentication ( NetUtil . createInetAddressFromURL ( pURL ) , pURL . getPort ( ) , pURL . getProtocol ( ) , null , BASIC ) ; } | Unregisters a PasswordAuthentication with a given URL address . | 61 | 13 |
156,093 | public PasswordAuthentication unregisterPasswordAuthentication ( InetAddress pAddress , int pPort , String pProtocol , String pPrompt , String pScheme ) { return passwordAuthentications . remove ( new AuthKey ( pAddress , pPort , pProtocol , pPrompt , pScheme ) ) ; } | Unregisters a PasswordAuthentication with a given net address . | 68 | 13 |
156,094 | @ InitParam ( name = "accept-mappings-file" ) public void setAcceptMappingsFile ( String pPropertiesFile ) throws ServletConfigException { // NOTE: Format is: // <agent-name>=<reg-exp> // <agent-name>.accept=<http-accept-header> Properties mappings = new Properties ( ) ; try { log ( "Reading Accept-mappings properties file: " + pPropertiesFile ) ; mappings . load ( getServletContext ( ) . getResourceAsStream ( pPropertiesFile ) ) ; //System.out.println("--> Loaded file: " + pPropertiesFile); } catch ( IOException e ) { throw new ServletConfigException ( "Could not read Accept-mappings properties file: " + pPropertiesFile , e ) ; } parseMappings ( mappings ) ; } | Sets the accept - mappings for this filter | 186 | 10 |
156,095 | public int doEndTag ( ) throws JspException { // Trim String trimmed = truncateWS ( bodyContent . getString ( ) ) ; try { // Print trimmed content //pageContext.getOut().print("<!--TWS-->\n"); pageContext . getOut ( ) . print ( trimmed ) ; //pageContext.getOut().print("\n<!--/TWS-->"); } catch ( IOException ioe ) { throw new JspException ( ioe ) ; } return super . doEndTag ( ) ; } | doEndTag implementation truncates all whitespace . | 115 | 10 |
156,096 | private static String truncateWS ( String pStr ) { char [ ] chars = pStr . toCharArray ( ) ; int count = 0 ; boolean lastWasWS = true ; // Avoids leading WS for ( int i = 0 ; i < chars . length ; i ++ ) { if ( ! Character . isWhitespace ( chars [ i ] ) ) { // if char is not WS, just store chars [ count ++ ] = chars [ i ] ; lastWasWS = false ; } else { // else, if char is WS, store first, skip the rest if ( ! lastWasWS ) { if ( chars [ i ] == 0x0d ) { chars [ count ++ ] = 0x0a ; //Always new line } else { chars [ count ++ ] = chars [ i ] ; } } lastWasWS = true ; } } // Return the trucated string return new String ( chars , 0 , count ) ; } | Truncates whitespace from the given string . | 199 | 10 |
156,097 | private ImageServletResponse createImageServletResponse ( final ServletRequest pRequest , final ServletResponse pResponse ) { if ( pResponse instanceof ImageServletResponseImpl ) { ImageServletResponseImpl response = ( ImageServletResponseImpl ) pResponse ; // response.setRequest(pRequest); return response ; } return new ImageServletResponseImpl ( pRequest , pResponse , getServletContext ( ) ) ; } | Creates the image servlet response for this response . | 92 | 11 |
156,098 | protected RenderedImage doFilter ( BufferedImage pImage , ServletRequest pRequest , ImageServletResponse pResponse ) { // Get angle double ang = getAngle ( pRequest ) ; // Get bounds Rectangle2D rect = getBounds ( pRequest , pImage , ang ) ; int width = ( int ) rect . getWidth ( ) ; int height = ( int ) rect . getHeight ( ) ; // Create result image BufferedImage res = ImageUtil . createTransparent ( width , height , BufferedImage . TYPE_INT_ARGB ) ; Graphics2D g = res . createGraphics ( ) ; // Get background color and clear String str = pRequest . getParameter ( PARAM_BGCOLOR ) ; if ( ! StringUtil . isEmpty ( str ) ) { Color bgcolor = StringUtil . toColor ( str ) ; g . setBackground ( bgcolor ) ; g . clearRect ( 0 , 0 , width , height ) ; } // Set mHints (why do I always get jagged edgdes?) RenderingHints hints = new RenderingHints ( RenderingHints . KEY_COLOR_RENDERING , RenderingHints . VALUE_COLOR_RENDER_QUALITY ) ; hints . add ( new RenderingHints ( RenderingHints . KEY_RENDERING , RenderingHints . VALUE_RENDER_QUALITY ) ) ; hints . add ( new RenderingHints ( RenderingHints . KEY_ANTIALIASING , RenderingHints . VALUE_ANTIALIAS_ON ) ) ; hints . add ( new RenderingHints ( RenderingHints . KEY_INTERPOLATION , RenderingHints . VALUE_INTERPOLATION_BICUBIC ) ) ; g . setRenderingHints ( hints ) ; // Rotate around center AffineTransform at = AffineTransform . getRotateInstance ( ang , width / 2.0 , height / 2.0 ) ; // Move to center at . translate ( width / 2.0 - pImage . getWidth ( ) / 2.0 , height / 2.0 - pImage . getHeight ( ) / 2.0 ) ; // Draw it, centered g . drawImage ( pImage , at , null ) ; return res ; } | Reads the image from the requested URL rotates it and returns it in the Servlet stream . See above for details on parameters . | 505 | 27 |
156,099 | private double getAngle ( ServletRequest pReq ) { double angle = 0.0 ; String str = pReq . getParameter ( PARAM_ANGLE ) ; if ( ! StringUtil . isEmpty ( str ) ) { angle = Double . parseDouble ( str ) ; // Convert to radians, if needed str = pReq . getParameter ( PARAM_ANGLE_UNITS ) ; if ( ! StringUtil . isEmpty ( str ) && ANGLE_DEGREES . equalsIgnoreCase ( str ) ) { angle = Math . toRadians ( angle ) ; } } return angle ; } | Gets the angle of rotation . | 136 | 7 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.