code
stringlengths
73
34.1k
label
stringclasses
1 value
public void writeClass(String className) throws IOException { ConstantPool pool = _javaClass.getConstantPool(); ClassConstant classConst = pool.getClass(className); if (classConst != null) writeShort(classConst.getIndex()); else writeShort(0); }
java
public void writeUTF8Const(String value) throws IOException { ConstantPool pool = _javaClass.getConstantPool(); Utf8Constant entry = pool.getUTF8(value); if (entry != null) writeShort(entry.getIndex()); else throw new NullPointerException(L.l("utf8 constant {0} does not exist", value)); }
java
public void writeFloat(float v) throws IOException { int bits = Float.floatToIntBits(v); _os.write(bits >> 24); _os.write(bits >> 16); _os.write(bits >> 8); _os.write(bits); }
java
public void writeDouble(double v) throws IOException { long bits = Double.doubleToLongBits(v); _os.write((int) (bits >> 56)); _os.write((int) (bits >> 48)); _os.write((int) (bits >> 40)); _os.write((int) (bits >> 32)); _os.write((int) (bits >> 24)); _os.write((int) (bits >> 16)); _os.write((int) (bits >> 8)); _os.write((int) bits); }
java
public String getDefaultArg() { String defaultArg = null; if (_defaultArgs.length > 0) { defaultArg = _defaultArgs[0]; } return defaultArg; }
java
private Iterator detailChildrenIterator(Detail detail) { /* sb.append("<ns2:AccessDeniedWebServiceException xmlns:ns2=\"http://exceptionthrower.system.services.v4_0.soap.server.nameapi.org/\">"); sb.append("<blame>CLIENT</blame>"); sb.append("<errorCode>2101</errorCode>"); sb.append("<faultCause>AccessDenied</faultCause>"); */ DetailEntry firstDetailEntry = getFirstDetailEntry(detail); if (firstDetailEntry!=null) { String localName = firstDetailEntry.getElementName().getLocalName(); if (localName.endsWith("Exception")) { //got a subtag return firstDetailEntry.getChildElements(); } } return detail.getDetailEntries(); }
java
private boolean[] parseRange(String range, int rangeMin, int rangeMax) throws ConfigException { boolean[] values = new boolean[rangeMax + 1]; int j = 0; while (j < range.length()) { char ch = range.charAt(j); int min = 0; int max = 0; int step = 1; if (ch == '*') { min = rangeMin; max = rangeMax; j++; } else if ('0' <= ch && ch <= '9') { for (; j < range.length() && '0' <= (ch = range.charAt(j)) && ch <= '9'; j++) { min = 10 * min + ch - '0'; } if (j < range.length() && ch == '-') { for (j++; j < range.length() && '0' <= (ch = range.charAt(j)) && ch <= '9'; j++) { max = 10 * max + ch - '0'; } } else max = min; } else throw new ConfigException(L.l("'{0}' is an illegal cron range", range)); if (min < rangeMin) throw new ConfigException(L.l( "'{0}' is an illegal cron range (min value is too small)", range)); else if (rangeMax < max) throw new ConfigException(L.l( "'{0}' is an illegal cron range (max value is too large)", range)); if (j < range.length() && (ch = range.charAt(j)) == '/') { step = 0; for (j++; j < range.length() && '0' <= (ch = range.charAt(j)) && ch <= '9'; j++) { step = 10 * step + ch - '0'; } if (step == 0) throw new ConfigException(L .l("'{0}' is an illegal cron range", range)); } if (range.length() <= j) { } else if (ch == ',') j++; else { throw new ConfigException(L.l("'{0}' is an illegal cron range", range)); } for (; min <= max; min += step) values[min] = true; } return values; }
java
public void init(StreamImpl source) { _disableClose = false; _isDisableCloseSource = false; _readTime = 0; if (_source != null && _source != source) { close(); } if (source == null) { throw new IllegalArgumentException(); } _source = source; if (source.canRead()) { if (_tempRead == null) { _tempRead = TempBuffer.create(); _readBuffer = _tempRead.buffer(); } } _readOffset = 0; _readLength = 0; _readEncoding = null; _readEncodingName = "ISO-8859-1"; }
java
public void setEncoding(String encoding) throws UnsupportedEncodingException { String mimeName = Encoding.getMimeName(encoding); if (mimeName != null && mimeName.equals(_readEncodingName)) return; _readEncoding = Encoding.getReadEncoding(this, encoding); _readEncodingName = mimeName; }
java
public final int readChar() throws IOException { if (_readEncoding != null) { int ch = _readEncoding.read(); return ch; } if (_readLength <= _readOffset) { if (! readBuffer()) return -1; } return _readBuffer[_readOffset++] & 0xff; }
java
public final int read(char []buf, int offset, int length) throws IOException { if (_readEncoding != null) { return _readEncoding.read(buf, offset, length); } byte []readBuffer = _readBuffer; if (readBuffer == null) return -1; int readOffset = _readOffset; int readLength = _readLength; int sublen = Math.min(length, readLength - readOffset); if (readLength <= readOffset) { if (! readBuffer()) { return -1; } readLength = _readLength; readOffset = _readOffset; sublen = Math.min(length, readLength - readOffset); } for (int i = sublen - 1; i >= 0; i--) { buf[offset + i] = (char) (readBuffer[readOffset + i] & 0xff); } _readOffset = readOffset + sublen; return sublen; }
java
public int read(CharBuffer buf, int length) throws IOException { int len = buf.length(); buf.length(len + length); int readLength = read(buf.buffer(), len, length); if (readLength < 0) { buf.length(len); } else if (readLength < length) { buf.length(len + readLength); } return length; }
java
public int readInt() throws IOException { if (_readOffset + 4 < _readLength) { return (((_readBuffer[_readOffset++] & 0xff) << 24) + ((_readBuffer[_readOffset++] & 0xff) << 16) + ((_readBuffer[_readOffset++] & 0xff) << 8) + ((_readBuffer[_readOffset++] & 0xff))); } else { return ((read() << 24) + (read() << 16) + (read() << 8) + (read())); } }
java
public int readUTF8ByByteLength(char []buffer, int offset, int byteLength) throws IOException { int k = 0; for (int i = 0; i < byteLength; i++) { if (_readLength <= _readOffset) { readBuffer(); } int ch = _readBuffer[_readOffset++] & 0xff; if (ch < 0x80) { buffer[k++] = (char) ch; } else if ((ch & 0xe0) == 0xc0) { int c2 = read(); i += 1; buffer[k++] = (char) (((ch & 0x1f) << 6) + (c2 & 0x3f)); } else { int c2 = read(); int c3 = read(); i += 2; buffer[k++] = (char) (((ch & 0x1f) << 12) + ((c2 & 0x3f) << 6) + ((c3 & 0x3f))); } } return k; }
java
public boolean fillIfLive(long timeout) throws IOException { StreamImpl source = _source; byte []readBuffer = _readBuffer; if (readBuffer == null || source == null) { _readOffset = 0; _readLength = 0; return false; } if (_readOffset > 0) { System.arraycopy(readBuffer, _readOffset, readBuffer, 0, _readLength - _readOffset); _readLength -= _readOffset; _readOffset = 0; } if (_readLength == readBuffer.length) return true; int readLength = source.readTimeout(_readBuffer, _readLength, _readBuffer.length - _readLength, timeout); if (readLength >= 0) { _readLength += readLength; _position += readLength; if (_isEnableReadTime) _readTime = CurrentTime.currentTime(); return true; } else if (readLength == READ_TIMEOUT) { // timeout return true; } else { // return false on end of file return false; } }
java
@Override public boolean isSecure() { if (_s == null || _sslSocketClass == null) return false; else return _sslSocketClass.isAssignableFrom(_s.getClass()); }
java
@Override public int cipherBits() { if (! (_s instanceof SSLSocket)) return super.cipherBits(); SSLSocket sslSocket = (SSLSocket) _s; SSLSession sslSession = sslSocket.getSession(); if (sslSession != null) return _sslKeySizes.get(sslSession.getCipherSuite()); else return 0; }
java
public void postMultipart(String url, Map<String,String> map) throws Exception { String boundaryStr = "-----boundary0"; StringBuilder sb = new StringBuilder(); map.forEach((k, v) -> { sb.append(boundaryStr + "\r"); sb.append("Content-Disposition: form-data; name=\"" + k + "\"\r"); sb.append("\r"); sb.append(v); sb.append("\r"); }); String request = "POST " + url + " HTTP/1.0\r" + "Content-Type: multipart/form-data; boundary=" + boundaryStr + "\r" + "Content-Length: " + sb.length() + "\r" + "\r" + sb; request(request, null); }
java
public void setBackgroundInterval(long interval, TimeUnit unit) { if (! isValid()) { return; } long period = unit.toMillis(interval); if (_state == StateProfile.IDLE) { if (period > 0) { _profileTask.setPeriod(period); _profileTask.start(); _state = StateProfile.BACKGROUND; } } else if (_state == StateProfile.BACKGROUND) { if (period <= 0) { _profileTask.stop(); _state = StateProfile.IDLE; } else if (period != _backgroundPeriod) { _profileTask.stop(); _profileTask.setPeriod(period); _profileTask.start(); } } _backgroundPeriod = period; }
java
public void start(long interval, TimeUnit unit) { if (! isValid()) { return; } long period = unit.toMillis(interval); if (period < 0) { return; } _profileTask.stop(); _profileTask.setPeriod(period); _profileTask.start(); _state = StateProfile.ACTIVE; }
java
public ProfileReport stop() { if (! isValid()) { return null; } if (_state != StateProfile.ACTIVE) { return null; } _profileTask.stop(); ProfileReport report = _profileTask.getReport(); if (_backgroundPeriod > 0) { _profileTask.setPeriod(_backgroundPeriod); _profileTask.start(); _state = StateProfile.BACKGROUND; } else { _state = StateProfile.IDLE; } return report; }
java
private MethodRefAmp findLocalMethod() { ServiceRefAmp serviceRefLocal = _serviceRef.getLocalService(); if (serviceRefLocal == null) { return null; } if (_type != null) { return serviceRefLocal.methodByName(_name, _type); } else { return serviceRefLocal.methodByName(_name); } }
java
private MethodRefActive createMethodRefActive(ServiceRefAmp serviceRef) { MethodRefAmp methodRef; if (_type != null) { methodRef = serviceRef.methodByName(_name, _type); } else { methodRef = serviceRef.methodByName(_name); } MethodShim methodShim; ClassLoader methodLoader = methodRef.serviceRef().classLoader(); //System.out.println("SR: " + serviceRef + " " + serviceRef.getActor()); if (methodLoader == _sourceLoader || serviceRef.stub() instanceof StubLink) { //methodShim = new MethodShimIdentity(methodRef.getMethod()); methodShim = new MethodShimIdentity(methodRef, isLocalService(serviceRef)); } else { PodImport importContext; importContext = PodImportContext.create(_sourceLoader).getPodImport(methodLoader); //importContext = ImportContext.create(methodLoader).getModuleImport(_sourceLoader); //methodShim = new MethodShimImport(methodRef.getMethod(), importContext); methodShim = new MethodShimImport(methodRef, importContext, isLocalService(serviceRef)); } return new MethodRefActive(serviceRef, methodRef, methodShim); }
java
private IProvider getProviderFromTemplate(eu.atos.sla.parser.data.wsag.Template templateXML) throws ModelConversionException { Context context = templateXML.getContext(); String provider = null; try { ServiceProvider ctxProvider = ServiceProvider.fromString(context.getServiceProvider()); switch (ctxProvider) { case AGREEMENT_RESPONDER: provider= context.getAgreementResponder(); break; case AGREEMENT_INITIATOR: provider= context.getAgreementInitiator(); break; } } catch (IllegalArgumentException e) { throw new ModelConversionException("The Context/ServiceProvider field must match with the word "+ServiceProvider.AGREEMENT_RESPONDER+ " or "+ServiceProvider.AGREEMENT_INITIATOR); } IProvider providerObj = providerDAO.getByUUID(provider); return providerObj; }
java
@Override public void write(byte []buf, int offset, int length, boolean isEnd) throws IOException { while (length > 0) { if (_tail == null) { addBuffer(TempBuffer.create()); } else if (_tail.buffer().length <= _tail.length()) { addBuffer(TempBuffer.create()); } TempBuffer tail = _tail; int sublen = Math.min(length, tail.buffer().length - tail.length()); System.arraycopy(buf, offset, tail.buffer(), tail.length(), sublen); length -= sublen; offset += sublen; _tail.length(_tail.length() + sublen); } }
java
public TempStream copy() { TempStream newStream = new TempStream(); TempBuffer ptr = _head; for (; ptr != null; ptr = ptr.next()) { TempBuffer newPtr = TempBuffer.create(); if (newStream._tail != null) newStream._tail.next(newPtr); else newStream._head = newPtr; newStream._tail = newPtr; newPtr.write(ptr.buffer(), 0, ptr.length()); } return newStream; }
java
@Override public void flush() { // server/021g _logWriterQueue.wake(); waitForFlush(10); try { super.flush(); } catch (IOException e) { log.log(Level.FINER, e.toString(), e); } }
java
public boolean isModified() { I instance = _instance; if (instance == null) { return true; } if (DeployMode.MANUAL.equals(_strategy.redeployMode())) { return false; } return instance.isModified(); }
java
public void startOnInit(Result<I> result) { DeployFactory2<I> builder = builder(); if (builder == null) { result.ok(null); return; } if (! _lifecycle.toInit()) { result.ok(get()); return; } _strategy.startOnInit(this, result); }
java
public final void shutdown(ShutdownModeAmp mode, Result<Boolean> result) { _strategy.shutdown(this, mode, result); }
java
public final void request(Result<I> result) { I instance = _instance; if (instance != null && _lifecycle.isActive() && ! isModified()) { result.ok(instance); } else if (_lifecycle.isDestroyed()) { result.ok(null); } else { _strategy.request(this, result); } }
java
public void startImpl(Result<I> result) { DeployFactory2<I> builder = builder(); if (builder == null) { result.ok(null); return; } if (! _lifecycle.toStarting()) { result.ok(_instance); return; } I deployInstance = null; boolean isActive = false; try { deployInstance = builder.get(); _instance = deployInstance; isActive = true; result.ok(deployInstance); } catch (ConfigException e) { log.log(Level.FINEST, e.toString(), e); log.log(Level.FINE, e.toString(), e); result.fail(e); } catch (Throwable e) { log.log(Level.FINEST, e.toString(), e); log.log(Level.FINE, e.toString(), e); result.fail(e); } finally { if (isActive) { _lifecycle.toActive(); } else { _lifecycle.toError(); } } }
java
@Override public void validate(byte[] blockBuffer, int rowOffset, int rowHead, int blobTail) { int offset = rowOffset + offset(); int blobLen = BitsUtil.readInt16(blockBuffer, offset + 2); int blobOffset = BitsUtil.readInt16(blockBuffer, offset); if (blobLen == 0) { return; } if (blobOffset < 0 || blobTail < blobOffset) { throw new IllegalStateException(L.l("{0}: corrupted blob offset {1} with blobTail={2}", this, blobOffset, blobTail)); } if ((blobLen & LARGE_BLOB_MASK) != 0) { blobLen &= ~LARGE_BLOB_MASK; if (blobLen != 4) { throw new IllegalStateException(L.l("{0}: corrupted blob len {1} for large blob.", this, blobOffset)); } } if (blobLen < 0 || blobTail < blobLen + blobOffset) { throw new IllegalStateException(L.l("{0}: corrupted blob len {1} with blobOffset={2} blobTail={3}", this, blobLen, blobOffset, blobTail)); } }
java
public MonitoringRules getMonitoringRulesByTemplateId(String monitoringRuleTemplateId) { return getJerseyClient().target(getEndpoint() + "/planner/monitoringrules/" + monitoringRuleTemplateId).request() .buildGet().invoke().readEntity(MonitoringRules.class); }
java
public String getAdps(String aam) { Entity content = Entity.entity(aam, MediaType.TEXT_PLAIN); Invocation invocation = getJerseyClient().target(getEndpoint() + "/planner/plan").request().buildPost(content); return invocation.invoke().readEntity(String.class); }
java
public String getDam(String adp) { Entity content = Entity.entity(adp, MediaType.TEXT_PLAIN); Invocation invocation = getJerseyClient().target(getEndpoint() + "/planner/damgen").request().buildPost(content); return invocation.invoke().readEntity(String.class); }
java
public static boolean isMatch(Class<?> []paramA, Class<?> []paramB) { if (paramA.length != paramB.length) return false; for (int i = paramA.length - 1; i >= 0; i--) { if (! paramA[i].equals(paramB[i])) return false; } return true; }
java
@Override public boolean isServerPrimary(ServerBartender server) { for (int i = 0; i < Math.min(1, _owners.length); i++) { ServerBartender serverBar = server(i); if (serverBar == null) { continue; } else if (serverBar.isSameServer(server)) { return true; } } return false; }
java
@Override public boolean isServerOwner(ServerBartender server) { for (int i = 0; i < _owners.length; i++) { ServerBartender serverBar = server(i); if (serverBar == null) { continue; } else if (serverBar.isSameServer(server)) { return server.isUp(); } else if (serverBar.isUp()) { return false; } } return false; }
java
@Override public boolean isServerCopy(ServerBartender server) { for (int i = 0; i < _owners.length; i++) { ServerBartender serverBar = server(i); if (serverBar != null && serverBar.isSameServer(server)) { return true; } } return false; }
java
public ServerBartender owner() { for (int i = 0; i < _owners.length; i++) { ServerBartender serverBar = server(i); if (serverBar != null && serverBar.isUp()) { return serverBar; } } return null; }
java
@Override public BartenderBuilderPod pod(String id, String clusterId) { Objects.requireNonNull(id); Objects.requireNonNull(clusterId); ClusterHeartbeat cluster = createCluster(clusterId); return new PodBuilderConfig(id, cluster, this); }
java
private UpdatePod initLocalPod() { ServerBartender serverSelf = _bartender.serverSelf(); ServicesAmp rampManager = AmpSystem.currentManager(); UpdatePodBuilder podBuilder = new UpdatePodBuilder(); podBuilder.name("local"); podBuilder.cluster(_bartender.serverSelf().getCluster()); // int count = Math.min(3, rack.getServerLength()); ServerPod serverPod = new ServerPod(0, serverSelf); ServerPod[] servers = new ServerPod[] { serverPod }; podBuilder.pod(servers); // int depth = Math.min(3, handles.length); podBuilder.primaryCount(1); podBuilder.depth(1); UpdatePod updatePod = podBuilder.build(); return new UpdatePod(updatePod, new String[] { serverSelf.getId() }, 0); }
java
public static JavaCompilerUtil create(ClassLoader loader) { JavacConfig config = JavacConfig.getLocalConfig(); String javac = config.getCompiler(); JavaCompilerUtil javaCompiler = new JavaCompilerUtil(); if (loader == null) { loader = Thread.currentThread().getContextClassLoader(); } javaCompiler.setClassLoader(loader); javaCompiler.setCompiler(javac); javaCompiler.setArgs(config.getArgs()); javaCompiler.setEncoding(config.getEncoding()); javaCompiler.setMaxBatch(config.getMaxBatch()); javaCompiler.setStartTimeout(config.getStartTimeout()); javaCompiler.setMaxCompileTime(config.getMaxCompileTime()); return javaCompiler; }
java
public String getClassPath() { String rawClassPath = buildClassPath(); if (true) return rawClassPath; char sep = CauchoUtil.getPathSeparatorChar(); String []splitClassPath = rawClassPath.split("[" + sep + "]"); String javaHome = System.getProperty("java.home"); PathImpl pwd = VfsOld.lookup(System.getProperty("user.dir")); ArrayList<String> cleanClassPath = new ArrayList<String>(); StringBuilder sb = new StringBuilder(); for (String pathName : splitClassPath) { PathImpl path = pwd.lookup(pathName); pathName = path.getNativePath(); if (! pathName.startsWith(javaHome) && ! cleanClassPath.contains(pathName)) { cleanClassPath.add(pathName); if (sb.length() > 0) sb.append(sep); sb.append(pathName); } } return sb.toString(); }
java
private String buildClassPath() { String classPath = null;//_classPath; if (classPath != null) { return classPath; } if (classPath == null && _loader instanceof DynamicClassLoader) { classPath = ((DynamicClassLoader) _loader).getClassPath(); } else { // if (true || _loader instanceof URLClassLoader) { StringBuilder sb = new StringBuilder(); sb.append(CauchoUtil.getClassPath()); if (_loader != null) buildClassPath(sb, _loader); classPath = sb.toString(); } //else if (classPath == null) //classPath = CauchoSystem.getClassPath(); String srcDirName = getSourceDirName(); String classDirName = getClassDirName(); char sep = CauchoUtil.getPathSeparatorChar(); if (_extraClassPath != null) classPath = classPath + sep + _extraClassPath; // Adding the srcDir lets javac and jikes find source files if (! srcDirName.equals(classDirName)) classPath = srcDirName + sep + classPath; classPath = classDirName + sep + classPath; return classPath; }
java
public void setArgs(String argString) { try { if (argString != null) { String []args = Pattern.compile("[\\s,]+").split(argString); _args = new ArrayList<String>(); for (int i = 0; i < args.length; i++) { if (! args[i].equals("")) _args.add(args[i]); } } } catch (Exception e) { log.log(Level.WARNING, e.toString(), e); } }
java
public void setEncoding(String encoding) { _charEncoding = encoding; String javaEncoding = Encoding.getJavaName(encoding); if ("ISO8859_1".equals(javaEncoding)) _charEncoding = null; }
java
public static String mangleName(String name) { boolean toLower = CauchoUtil.isCaseInsensitive(); CharBuffer cb = new CharBuffer(); cb.append("_"); for (int i = 0; i < name.length(); i++) { char ch = name.charAt(i); if (ch == '/' || ch == CauchoUtil.getPathSeparatorChar()) { if (i == 0) { } else if (cb.charAt(cb.length() - 1) != '.' && (i + 1 < name.length() && name.charAt(i + 1) != '/')) cb.append("._"); } else if (ch == '.') cb.append("__"); else if (ch == '_') cb.append("_0"); else if (Character.isJavaIdentifierPart(ch)) cb.append(toLower ? Character.toLowerCase(ch) : ch); else if (ch <= 256) cb.append("_2" + encodeHex(ch >> 4) + encodeHex(ch)); else cb.append("_4" + encodeHex(ch >> 12) + encodeHex(ch >> 8) + encodeHex(ch >> 4) + encodeHex(ch)); } if (cb.length() == 0) cb.append("_z"); return cb.toString(); }
java
public void compileBatch(String []files) throws IOException, ClassNotFoundException { if (_compileParent) { try { if (_loader instanceof Make) ((Make) _loader).make(); } catch (Exception e) { throw new IOException(e); } } if (files.length == 0) return; // only batch a number of files at a time int batchCount = _maxBatch; if (batchCount < 0) batchCount = Integer.MAX_VALUE / 2; else if (batchCount == 0) batchCount = 1; IOException exn = null; ArrayList<String> uniqueFiles = new ArrayList<String>(); for (int i = 0; i < files.length; i++) { if (! uniqueFiles.contains(files[i])) uniqueFiles.add(files[i]); } files = new String[uniqueFiles.size()]; uniqueFiles.toArray(files); LineMap lineMap = null; _compilerService.compile(this, files, lineMap); /* synchronized (LOCK) { for (int i = 0; i < files.length; i += batchCount) { int len = files.length - i; len = Math.min(len, batchCount); String []batchFiles = new String[len]; System.arraycopy(files, i, batchFiles, 0, len); Arrays.sort(batchFiles); try { compileInt(batchFiles, null); } catch (IOException e) { if (exn == null) exn = e; else log.log(Level.WARNING, e.toString(), e); } } } if (exn != null) throw exn; */ }
java
final public void write(char []buf) { try { _out.print(buf, 0, buf.length); } catch (IOException e) { log.log(Level.FINE, e.toString(), e); } }
java
void waitForExit() { Runtime runtime = Runtime.getRuntime(); ShutdownSystem shutdown = _resinSystem.getSystem(ShutdownSystem.class); if (shutdown == null) { throw new IllegalStateException(L.l("'{0}' requires an active {1}", this, ShutdownSystem.class.getSimpleName())); } /* * If the server has a parent process watching over us, close * gracefully when the parent dies. */ while (! _server.isClosing()) { try { Thread.sleep(10); if (! checkMemory(runtime)) { shutdown.shutdown(ShutdownModeAmp.IMMEDIATE, ExitCode.MEMORY, "Server shutdown from out of memory"); // dumpHeapOnExit(); return; } if (! checkFileDescriptor()) { shutdown.shutdown(ShutdownModeAmp.IMMEDIATE, ExitCode.MEMORY, "Server shutdown from out of file descriptors"); //dumpHeapOnExit(); return; } synchronized (this) { wait(10000); } } catch (OutOfMemoryError e) { String msg = "Server shutdown from out of memory"; ShutdownSystem.shutdownOutOfMemory(msg); } catch (Throwable e) { log.log(Level.WARNING, e.toString(), e); return; } } }
java
public ServiceRefAmp getLocalService() { ServiceRefAmp serviceRefRoot = _podRoot.getLocalService(); //ServiceRefAmp serviceRefRoot = _podRoot.getClientService(); if (serviceRefRoot == null) { return null; } ServiceRefActive serviceRefLocal = _serviceRefLocal; if (serviceRefLocal != null) { ServiceRefAmp serviceRef = serviceRefLocal.getService(serviceRefRoot); if (serviceRef != null) { return serviceRef; } } ServiceRefAmp serviceRef = serviceRefRoot.onLookup(_path); _serviceRefLocal = new ServiceRefActive(serviceRefRoot, serviceRef); // serviceRef.start(); return serviceRef; }
java
@Override public PathImpl lookupImpl(String userPath, Map<String,Object> newAttributes, boolean isAllowRoot) { String newPath; if (userPath == null) return _root.fsWalk(getPath(), newAttributes, "/"); int length = userPath.length(); int colon = userPath.indexOf(':'); int slash = userPath.indexOf('/'); int query = userPath.indexOf('?'); // parent handles scheme:xxx if (colon != -1 && (colon < slash || slash == -1)) return super.lookupImpl(userPath, newAttributes, isAllowRoot); // //hostname if (slash == 0 && length > 1 && userPath.charAt(1) == '/') return schemeWalk(userPath, newAttributes, userPath, 0); // /path else if (slash == 0) { String queryString = ""; if (query >= 0) { queryString = userPath.substring(query); userPath = userPath.substring(0, query); } newPath = normalizePath("/", userPath, 0, '/'); if (query >= 0) newPath += queryString; } // path else { String queryString = ""; if (query >= 0) { queryString = userPath.substring(query); userPath = userPath.substring(0, query); } newPath = normalizePath(_pathname, userPath, 0, '/'); if (query >= 0) newPath += queryString; } // XXX: does missing root here cause problems with restrictions? return _root.fsWalk(userPath, newAttributes, newPath); }
java
@Override public PathImpl schemeWalk(String userPath, Map<String,Object> attributes, String uri, int offset) { int length = uri.length(); if (length < 2 + offset || uri.charAt(offset) != '/' || uri.charAt(offset + 1) != '/') throw new RuntimeException(L.l("bad scheme in `{0}'", uri)); CharBuffer buf = CharBuffer.allocate(); int i = 2 + offset; int ch = 0; boolean isInBrace = false; for (; i < length && ((ch = uri.charAt(i)) != ':' || isInBrace) && ch != '/' && ch != '?'; i++) { buf.append((char) ch); if (ch == '[') isInBrace = true; else if (ch == ']') isInBrace = false; } String host = buf.close(); if (host.length() == 0) throw new RuntimeException(L.l("bad host in `{0}'", uri)); int port = 0; if (ch == ':') { for (i++; i < length && (ch = uri.charAt(i)) >= '0' && ch <= '9'; i++) { port = 10 * port + uri.charAt(i) - '0'; } } if (port == 0) port = 80; HttpPath root = create(host, port); return root.fsWalk(userPath, attributes, uri.substring(i)); }
java
public PathImpl fsWalk(String userPath, Map<String,Object> attributes, String uri) { String path; String query = null; int queryIndex = uri.indexOf('?'); if (queryIndex >= 0) { path = uri.substring(0, queryIndex); query = uri.substring(queryIndex + 1); } else path = uri; if (path.length() == 0) path = "/"; return create(_root, userPath, attributes, path, query); }
java
public String getURL() { int port = getPort(); return (getScheme() + "://" + getHost() + (port == 80 ? "" : ":" + getPort()) + getPath() + (_query == null ? "" : "?" + _query)); }
java
private V putImpl(K key, V value) { V item = null; int hash = key.hashCode() & _mask; int count = _values.length; for (; count > 0; count--) { item = _values[hash]; // No matching item, so create one if (item == null) { _keys[hash] = key; _values[hash] = value; _size++; return null; } // matching item gets replaced if (_keys[hash].equals(key)) { _values[hash] = value; return item; } hash = (hash + 1) & _mask; } throw new IllegalStateException(); }
java
public String getURL() { if (! isWindows()) return escapeURL("file:" + getFullPath()); String path = getFullPath(); int length = path.length(); CharBuffer cb = new CharBuffer(); // #2725, server/1495 cb.append("file:"); char ch; int offset = 0; // For windows, convert /c: to c: if (length >= 3 && path.charAt(0) == '/' && path.charAt(2) == ':' && ('a' <= (ch = path.charAt(1)) && ch <= 'z' || 'A' <= ch && ch <= 'Z')) { // offset = 1; } else if (length >= 3 && path.charAt(0) == '/' && path.charAt(1) == ':' && path.charAt(2) == '/') { cb.append('/'); cb.append('/'); cb.append('/'); cb.append('/'); offset = 3; } for (; offset < length; offset++) { ch = path.charAt(offset); if (ch == '\\') cb.append('/'); else cb.append(ch); } return escapeURL(cb.toString()); }
java
@Override public String getNativePath() { if (! isWindows()) { return getFullPath(); } String path = getFullPath(); int length = path.length(); CharBuffer cb = new CharBuffer(); char ch; int offset = 0; // For windows, convert /c: to c: if (length >= 3 && path.charAt(0) == '/' && path.charAt(2) == ':' && ('a' <= (ch = path.charAt(1)) && ch <= 'z' || 'A' <= ch && ch <= 'Z')) { offset = 1; } else if (length >= 3 && path.charAt(0) == '/' && path.charAt(1) == ':' && path.charAt(2) == '/') { cb.append('\\'); cb.append('\\'); offset = 3; } for (; offset < length; offset++) { ch = path.charAt(offset); if (ch == '/') cb.append(_separatorChar); else cb.append(ch); } return cb.toString(); }
java
public String []list() throws IOException { try { String []list = getFile().list(); if (list != null) return list; } catch (AccessControlException e) { log.finer(e.toString()); } return new String[0]; }
java
public StreamImpl openReadImpl() throws IOException { if (_isWindows && isAux()) throw new FileNotFoundException(_file.toString()); /* XXX: only for Solaris (?) if (isDirectory()) throw new IOException("is directory"); */ return new FileReadStream(new FileInputStream(getFile()), this); }
java
public boolean isAux() { if (! _isWindows) return false; File file = getFile(); String path = getFullPath().toLowerCase(Locale.ENGLISH); int len = path.length(); int p = path.indexOf("/aux"); int ch; if (p >= 0 && (len <= p + 4 || path.charAt(p + 4) == '.')) return true; p = path.indexOf("/con"); if (p >= 0 && (len <= p + 4 || path.charAt(p + 4) == '.')) return true; p = path.indexOf("/lpt"); if (p >= 0 && (len <= p + 5 || path.charAt(p + 5) == '.') && '0' <= (ch = path.charAt(p + 4)) && ch <= '9') { return true; } p = path.indexOf("/nul"); if (p >= 0 && (len <= p + 4 || path.charAt(p + 4) == '.')) return true; return false; }
java
public void clearCache() { // skip the clear on restart if (_lifecycle.isStopping()) { return; } if (log.isLoggable(Level.FINER)) { log.finest("clearCache"); } // the invocation cache must be cleared first because the old // filter chain entries must not point to the cache's // soon-to-be-invalid entries getInvocationManager().clearCache(); /* if (_httpCache != null) { _httpCache.clear(); } */ }
java
public void init() { _offset = 0; if (_tempBuffer == null) { _tempBuffer = TempBuffer.create(); _buffer = _tempBuffer.buffer(); _bufferEnd = _buffer.length; } }
java
@Override public void write(byte []buffer, int offset, int length) throws IOException { while (length > 0) { if (_bufferEnd <= _offset) { flushBlock(false); } int sublen = Math.min(_bufferEnd - _offset, length); System.arraycopy(buffer, offset, _buffer, _offset, sublen); offset += sublen; _offset += sublen; length -= sublen; } }
java
@Override public void close() throws IOException { if (_isClosed) { return; } _isClosed = true; flushBlock(true); _cursor.setBlob(_column.index(), this); }
java
private void flushBlock(boolean isClose) throws IOException { if (isClose) { if (! _isLargeBlob && _offset <= _table.getInlineBlobMax()) { return; } } _isLargeBlob = true; if (_blobOut == null) { _blobOut = _table.getTempStore().openWriter(); } if (_offset != _bufferEnd && ! isClose) { throw new IllegalStateException(); } _blobOut.write(_tempBuffer.buffer(), 0, _offset); _offset = 0; if (! isClose) { return; } StreamSource ss = _blobOut.getStreamSource(); _blobOut = null; int len = (int) ss.getLength(); int blobPageSizeMax = _table.getBlobPageSizeMax(); int pid = -1; int nextPid = -1; int tailLen = len % blobPageSizeMax; // long seq = 0; PageServiceSync tableService = _table.getTableService(); if (tailLen > 0) { int tailOffset = len - tailLen; pid = tableService.writeBlob(pid, ss.openChild(), tailOffset, tailLen); len -= tailLen; } while (len > 0) { int sublen = blobPageSizeMax; int offset = len - blobPageSizeMax; pid = tableService.writeBlob(pid, ss.openChild(), offset, sublen); len -= sublen; } ss.close(); _blobId = Math.max(pid, 0); }
java
public static Integer getSPECint(String providerName, String instanceType) { String key = providerName + "." + instanceType; return SPECint.get(key); }
java
public static String toHex(byte []bytes, int offset, int len) { if (bytes == null) return "null"; StringBuilder sb = new StringBuilder(); for (int i = 0; i < len; i++) { int d1 = (bytes[offset + i] >> 4) & 0xf; int d2 = (bytes[offset + i]) & 0xf; if (d1 < 10) sb.append((char) ('0' + d1)); else sb.append((char) ('a' + d1 - 10)); if (d2 < 10) sb.append((char) ('0' + d2)); else sb.append((char) ('a' + d2 - 10)); } return sb.toString(); }
java
public static byte []toBytes(String hex) { if (hex == null) return null; int len = hex.length(); byte []bytes = new byte[len / 2]; int k = 0; for (int i = 0; i < len; i += 2) { int digit = 0; char ch = hex.charAt(i); if ('0' <= ch && ch <= '9') digit = ch - '0'; else if ('a' <= ch && ch <= 'f') digit = ch - 'a' + 10; else if ('A' <= ch && ch <= 'F') digit = ch - 'A' + 10; ch = hex.charAt(i + 1); if ('0' <= ch && ch <= '9') digit = 16 * digit + ch - '0'; else if ('a' <= ch && ch <= 'f') digit = 16 * digit + ch - 'a' + 10; else if ('A' <= ch && ch <= 'F') digit = 16 * digit + ch - 'A' + 10; bytes[k++] = (byte) digit; } return bytes; }
java
public static Class<?> loadClass(String name, boolean init, ClassLoader loader) throws ClassNotFoundException { if (loader == null) loader = Thread.currentThread().getContextClassLoader(); if (loader == null || loader.equals(CauchoUtil.class.getClassLoader())) return Class.forName(name); else return Class.forName(name, init, loader); }
java
@Override protected void flush(Buffer data, boolean isEnd) { if (isClosed()) { throw new IllegalStateException(); } _request.outProxy().write(_request, data, isEnd); /* boolean isHeader = ! isCommitted(); toCommitted(); MessageResponseHttp2 message; TempBuffer next = head; TempBuffer tBuf = null; if (head != null) { int headLength = head.length(); if (headLength > 0) { tBuf = head; next = TempBuffer.allocate(); } } message = new MessageResponseHttp2(_request, tBuf, isHeader, isEnd); _request.getOutHttp().offer(message); return next; */ }
java
private Client getClient() { Client client = hostMap.get(basePath); if (client!=null) return client; final ClientConfig clientConfig = new ClientConfig(); clientConfig.register(MultiPartFeature.class); if (debug) { clientConfig.register(LoggingFilter.class); } client = ClientBuilder.newClient(clientConfig); hostMap.putIfAbsent(basePath, client); return hostMap.get(basePath); //be sure to use the same in case of a race condition. }
java
@Override public void onAccept() { if (_request != null) { System.out.println("OLD_REQUEST: " + _request); } _sequenceClose.set(-1); /* _request = protocol().newRequest(this); _request.onAccept(); */ }
java
@Override public StateConnection service() throws IOException { try { ConnectionProtocol request = requestOrCreate(); if (request == null) { log.warning("Unexpected empty request: " + this); return StateConnection.CLOSE; } //_requestHttp.parseInvocation(); /* if (requestFacade == null) { _requestHttp.startRequest(); requestFacade = _requestHttp.getRequestFacade(); //return NextState.CLOSE; } */ StateConnection next = request.service(); if (next != StateConnection.CLOSE) { return next; } else { return onCloseRead(); } } catch (OutOfMemoryError e) { String msg = "Out of memory in RequestProtocolHttp"; ShutdownSystem.shutdownOutOfMemory(msg); log.log(Level.WARNING, e.toString(), e); } catch (Throwable e) { e.printStackTrace(); log.log(Level.WARNING, e.toString(), e); } return StateConnection.CLOSE; }
java
@Override public StateConnection onCloseRead() { ConnectionProtocol request = request(); if (request != null) { request.onCloseRead(); } _sequenceClose.set(_sequenceRead.get()); if (_sequenceFlush.get() < _sequenceClose.get()) { _isClosePending.set(true); if (_sequenceFlush.get() < _sequenceClose.get()) { return StateConnection.CLOSE_READ_S; } else { _isClosePending.set(false); return StateConnection.CLOSE; } } else { return StateConnection.CLOSE; } }
java
public boolean isWriteComplete() { long seqClose = _sequenceClose.get(); long seqWrite = _sequenceWrite.get(); return seqClose > 0 && seqClose <= seqWrite; }
java
@Deprecated public Map<String, HashSet<String>> match(Map<String, IndexedNodeType> aamModules, Map<String, NodeTemplate> offerings){ Map<String, HashSet<String>> mathedOfferings = new HashMap<>(); for(String moduleName: aamModules.keySet()){ IndexedNodeType module = aamModules.get(moduleName); mathedOfferings.put(moduleName, new HashSet<String>()); for(String offerName: offerings.keySet()){ NodeTemplate offer = offerings.get(offerName); if(match(module, offer)){ mathedOfferings.get(moduleName).add(offerName); } } } return mathedOfferings; }
java
public static String encodeURL(String uri) { CharBuffer cb = CharBuffer.allocate(); for (int i = 0; i < uri.length(); i++) { char ch = uri.charAt(i); switch (ch) { case '<': case '>': case ' ': case '%': case '\'': case '\"': cb.append('%'); cb.append(encodeHex(ch >> 4)); cb.append(encodeHex(ch)); break; default: cb.append(ch); } } return cb.close(); }
java
public long extractAlarm(long now, boolean isTest) { long lastTime = _now.getAndSet(now); long nextTime = _nextAlarmTime.get(); if (now < nextTime) { return nextTime; } _nextAlarmTime.set(now + CLOCK_NEXT); int delta; delta = (int) (now - lastTime) / CLOCK_INTERVAL; delta = Math.min(delta, CLOCK_PERIOD); Alarm alarm; int bucket = getBucket(lastTime); for (int i = 0; i <= delta; i++) { // long time = lastTime + i; while ((alarm = extractNextAlarm(bucket, now, isTest)) != null) { dispatch(alarm, now, isTest); } bucket = (bucket + 1) % CLOCK_PERIOD; } while ((alarm = extractNextCurrentAlarm()) != null) { dispatch(alarm, now, isTest); } long next = updateNextAlarmTime(now); _lastTime = now; return next; }
java
public static int createIpAddress(byte []address, char []buffer) { if (isIpv4(address)) { return createIpv4Address(address, 0, buffer, 0); } int offset = 0; boolean isZeroCompress = false; boolean isInZeroCompress = false; buffer[offset++] = '['; for (int i = 0; i < 16; i += 2) { int value = (address[i] & 0xff) * 256 + (address[i + 1] & 0xff); if (value == 0 && i != 14) { if (isInZeroCompress) continue; else if (! isZeroCompress) { isZeroCompress = true; isInZeroCompress = true; continue; } } if (isInZeroCompress) { isInZeroCompress = false; buffer[offset++] = ':'; buffer[offset++] = ':'; } else if (i != 0){ buffer[offset++] = ':'; } if (value == 0) { buffer[offset++] = '0'; continue; } offset = writeHexDigit(buffer, offset, value >> 12); offset = writeHexDigit(buffer, offset, value >> 8); offset = writeHexDigit(buffer, offset, value >> 4); offset = writeHexDigit(buffer, offset, value); } buffer[offset++] = ']'; return offset; }
java
public void setAttribute(String name, Object value) { if (_stream != null) { _stream.setAttribute(name, value); } }
java
public UpdatePodBuilder name(String name) { Objects.requireNonNull(name); if (name.indexOf('.') >= 0) { throw new IllegalArgumentException(name); } _name = name; return this; }
java
public UpdatePod build() { if (getServers() == null) { int count = Math.max(_primaryServerCount, _depth); if (_type == PodType.off) { count = 0; } _servers = buildServers(count); } Objects.requireNonNull(getServers()); /* if (getServers().length < _primaryServerCount) { throw new IllegalStateException(); } */ return new UpdatePod(this); }
java
public long getLength() { StreamSource indirectSource = _indirectSource; if (indirectSource != null) { return indirectSource.getLength(); } TempOutputStream out = _out; if (out != null) { return out.getLength(); } else { return -1; } }
java
public void freeUseCount() { if (_indirectSource != null) { _indirectSource.freeUseCount(); } else if (_useCount != null) { if (_useCount.decrementAndGet() < 0) { closeSelf(); } } }
java
public InputStream openInputStream() throws IOException { StreamSource indirectSource = _indirectSource; if (indirectSource != null) { return indirectSource.openInputStream(); } TempOutputStream out = _out; if (out != null) { return out.openInputStreamNoFree(); } // System.err.println("OpenInputStream: fail to open input stream for " + this); throw new IOException(L.l("{0}: no input stream is available", this)); }
java
public final <T> SerializerJson<T> serializer(Class<T> cl) { return (SerializerJson) _serMap.get(cl); }
java
public final <T> SerializerJson<T> serializer(Type type) { SerializerJson<T> ser = (SerializerJson<T>) _serTypeMap.get(type); if (ser == null) { TypeRef typeRef = TypeRef.of(type); Class<T> rawClass = (Class<T>) typeRef.rawClass(); ser = serializer(rawClass).withType(typeRef, this); _serTypeMap.putIfAbsent(type, ser); ser = (SerializerJson<T>) _serTypeMap.get(type); } return ser; }
java
private JarDepend getJarDepend() { if (_depend == null || _depend.isModified()) _depend = new JarDepend(new Depend(getBacking())); return _depend; }
java
public Certificate []getCertificates(String path) { if (! isSigned()) return null; if (path.length() > 0 && path.charAt(0) == '/') path = path.substring(1); try { if (! getBacking().canRead()) return null; JarFile jarFile = getJarFile(); JarEntry entry; InputStream is = null; try { entry = jarFile.getJarEntry(path); if (entry != null) { is = jarFile.getInputStream(entry); while (is.skip(65536) > 0) { } is.close(); return entry.getCertificates(); } } finally { closeJarFile(jarFile); } } catch (IOException e) { log.log(Level.FINE, e.toString(), e); return null; } return null; }
java
public long getLastModified(String path) { try { // this entry time can cause problems ... ZipEntry entry = getZipEntry(path); return entry != null ? entry.getTime() : -1; } catch (IOException e) { log.log(Level.FINE, e.toString(), e); } return -1; }
java
public long getLength(String path) { try { ZipEntry entry = getZipEntry(path); long length = entry != null ? entry.getSize() : -1; return length; } catch (IOException e) { log.log(Level.FINE, e.toString(), e); return -1; } }
java
public boolean canRead(String path) { try { ZipEntry entry = getZipEntry(path); return entry != null && ! entry.isDirectory(); } catch (IOException e) { log.log(Level.FINE, e.toString(), e); return false; } }
java
public void clearCache() { ZipFile zipFile = _zipFileRef.getAndSet(null); if (zipFile != null) try { zipFile.close(); } catch (Exception e) { } }
java
public ClassLoader buildClassLoader(ClassLoader serviceLoader) { synchronized (_loaderMap) { SoftReference<ClassLoader> extLoaderRef = _loaderMap.get(serviceLoader); if (extLoaderRef != null) { ClassLoader extLoader = extLoaderRef.get(); if (extLoader != null) { return extLoader; } } } String parentId = EnvLoader.getEnvironmentName(serviceLoader); String id = _id + "!" + parentId; //DynamicClassLoader extLoader = new PodExtClassLoader(serviceLoader, id); DynamicClassLoader extLoader = null; /* LibraryLoader libLoader = new LibraryLoader(extLoader, getRootDirectory().lookup("lib")); libLoader.init(); CompilingLoader compLoader = new CompilingLoader(extLoader, getRootDirectory().lookup("classes")); compLoader.init(); synchronized (_loaderMap) { SoftReference<ClassLoader> extLoaderRef = _loaderMap.get(serviceLoader); if (extLoaderRef != null) { ClassLoader extLoaderOld = extLoaderRef.get(); if (extLoaderOld != null) { return extLoaderOld; } } _loaderMap.put(serviceLoader, new SoftReference<>(extLoader)); } */ return extLoader; }
java
@Override public ServerHeartbeat getServer(String serverId) { ServerHeartbeat server = _serverMap.get(serverId); return server; }
java
@Override public ServerBartender findServerByName(String name) { for (ClusterHeartbeat cluster : _clusterMap.values()) { ServerBartender server = cluster.findServerByName(name); if (server != null) { return server; } } return null; }
java
ClusterHeartbeat createCluster(String clusterName) { ClusterHeartbeat cluster = _clusterMap.get(clusterName); if (cluster == null) { cluster = new ClusterHeartbeat(clusterName, this); _clusterMap.putIfAbsent(clusterName, cluster); cluster = _clusterMap.get(clusterName); } return cluster; }
java