hexsha
stringlengths
40
40
size
int64
8
1.04M
content
stringlengths
8
1.04M
avg_line_length
float64
2.24
100
max_line_length
int64
4
1k
alphanum_fraction
float64
0.25
0.97
31e0be79ac9563843f330e9204931d80fda951b5
1,646
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.flink.kubernetes.operator.crd.status; import org.apache.flink.annotation.Experimental; import org.apache.flink.kubernetes.operator.crd.spec.FlinkDeploymentSpec; import lombok.AllArgsConstructor; import lombok.Builder; import lombok.Data; import lombok.NoArgsConstructor; /** Status of the last reconcile step for the deployment. */ @Experimental @Data @NoArgsConstructor @AllArgsConstructor @Builder public class ReconciliationStatus { /** True if last reconciliation step was successful. */ private boolean success; /** If success == false, error information about the reconciliation failure. */ private String error; /** * Last reconciled deployment spec. Used to decide whether further reconciliation steps are * necessary. */ private FlinkDeploymentSpec lastReconciledSpec; }
35.021277
95
0.763062
a992745fb57a81f29195bea3c93ec9c90288e2de
1,360
package it.overzoom.postway.model; import java.util.ArrayList; import java.util.List; public class SubmitResponse { private Boolean ok; private Request request; private List<Bad> bad = new ArrayList<>(); public Boolean getOk() { return ok; } public void setOk(Boolean ok) { this.ok = ok; } public Request getRequest() { return request; } public void setRequest(Request request) { this.request = request; } public List<Bad> getBad() { return bad; } public void setBad(List<Bad> bad) { this.bad = bad; } } class Bad { private Person recipient; private Error error; public Person getRecipient() { return recipient; } public void setRecipient(Person recipient) { this.recipient = recipient; } public Error getError() { return error; } public void setError(Error error) { this.error = error; } } class Error { private String code; private String description; public String getCode() { return code; } public void setCode(String code) { this.code = code; } public String getDescription() { return description; } public void setDescription(String description) { this.description = description; } }
17.662338
52
0.600735
47d510ee78efd3bb5392df8db92936c063676f81
263
package cn.jeeweb.bbs.modules.sys.mapper; import cn.jeeweb.bbs.modules.sys.entity.UserRole; import com.baomidou.mybatisplus.mapper.BaseMapper; import org.apache.ibatis.annotations.Mapper; @Mapper public interface UserRoleMapper extends BaseMapper<UserRole> { }
26.3
62
0.825095
f4fc1967d2254f5fd88a5789faf191acdc99b21c
5,724
package ch.nblotti.brasidas.exchange.firmhighlights; import com.jayway.jsonpath.DocumentContext; import com.jayway.jsonpath.JsonPath; import lombok.extern.slf4j.Slf4j; import net.minidev.json.JSONObject; import org.modelmapper.AbstractConverter; import org.modelmapper.Converter; import org.modelmapper.ModelMapper; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.beans.factory.annotation.Value; import org.springframework.cache.Cache; import org.springframework.http.ResponseEntity; import org.springframework.stereotype.Component; import org.springframework.web.client.RestTemplate; import javax.annotation.PostConstruct; import java.time.LocalDate; import java.util.Optional; @Component @Slf4j class EODFirmHighlightsRepository { @Autowired Cache cacheOne; @Value("${index.firm.api.url}") public String firmUrl; public String highlightStr = "$.Highlights"; private static final int MAX_RETRY = 100; @Autowired protected RestTemplate externalShortRestTemplate; @Value("${spring.application.eod.api.key}") protected String apiKey; @Autowired protected ModelMapper modelMapper; public Optional<EODFirmHighlightsDTO> getHighlightsByDateAndFirm(LocalDate runDate, String exchange, String symbol) { String finalUrl = String.format(firmUrl, symbol, exchange, apiKey); final ResponseEntity<String> response = getStringResponseEntity(finalUrl); try { DocumentContext jsonContext = JsonPath.parse(response.getBody()); JSONObject eODExchangeDTOs = jsonContext.read(highlightStr,JSONObject.class); EODFirmHighlightsDTO eODFirmHighlightsDTO = modelMapper.map(eODExchangeDTOs, EODFirmHighlightsDTO.class); return Optional.of(eODFirmHighlightsDTO); } catch (Exception ex) { log.error(String.format("Error, mapping highlight for symbol %s \r\n%s", symbol, ex.getMessage())); return Optional.empty(); } } protected ResponseEntity<String> getStringResponseEntity(String finalUrl) { if (cacheOne.get(finalUrl.hashCode()) == null) { int networkErrorHandling = 0; while (networkErrorHandling < MAX_RETRY) { try { ResponseEntity<String> entity = externalShortRestTemplate.getForEntity(finalUrl, String.class); cacheOne.put(finalUrl.hashCode(), entity); return entity; } catch (Exception ex) { networkErrorHandling++; log.error(String.format("Error, retrying\r\n%s", ex.getMessage())); } } throw new IllegalStateException(); } return (ResponseEntity<String>) cacheOne.get(finalUrl.hashCode()).get(); } @PostConstruct void initFirmQuoteMapper() { Converter<JSONObject, EODFirmHighlightsDTO> toUppercase = new AbstractConverter<JSONObject, EODFirmHighlightsDTO>() { @Override protected EODFirmHighlightsDTO convert(JSONObject firmDTO) { EODFirmHighlightsDTO eODFirmHighlightsDTO = new EODFirmHighlightsDTO(); eODFirmHighlightsDTO.setMarketCapitalization(Long.parseLong(firmDTO.getAsString("MarketCapitalizationMln"))); eODFirmHighlightsDTO.setEBITDA(Long.parseLong(firmDTO.getAsString("EBITDA"))); eODFirmHighlightsDTO.setPERatio(Double.parseDouble(firmDTO.getAsString("PERatio"))); eODFirmHighlightsDTO.setPEGRatio(Double.parseDouble(firmDTO.getAsString("PEGRatio"))); eODFirmHighlightsDTO.setWallStreetTargetPrice(Double.parseDouble(firmDTO.getAsString("WallStreetTargetPrice"))); eODFirmHighlightsDTO.setBookValue(Double.parseDouble(firmDTO.getAsString("BookValue"))); eODFirmHighlightsDTO.setDividendShare(Double.parseDouble(firmDTO.getAsString("DividendShare"))); eODFirmHighlightsDTO.setDividendYield(Double.parseDouble(firmDTO.getAsString("DividendYield"))); eODFirmHighlightsDTO.setEarningsShare(Double.parseDouble(firmDTO.getAsString("EarningsShare"))); eODFirmHighlightsDTO.setEPSEstimateCurrentYear(Double.parseDouble(firmDTO.getAsString("EPSEstimateCurrentYear"))); eODFirmHighlightsDTO.setEPSEstimateNextYear(Double.parseDouble(firmDTO.getAsString("EPSEstimateNextYear"))); eODFirmHighlightsDTO.setEPSEstimateNextQuarter(Double.parseDouble(firmDTO.getAsString("EPSEstimateNextQuarter"))); eODFirmHighlightsDTO.setEPSEstimateCurrentQuarter(Double.parseDouble(firmDTO.getAsString("EPSEstimateCurrentQuarter"))); eODFirmHighlightsDTO.setMostRecentQuarter(firmDTO.getAsString("MostRecentQuarter")); eODFirmHighlightsDTO.setProfitMargin(Double.parseDouble(firmDTO.getAsString("ProfitMargin"))); eODFirmHighlightsDTO.setOperatingMarginTTM(Double.parseDouble(firmDTO.getAsString("OperatingMarginTTM"))); eODFirmHighlightsDTO.setReturnOnAssetsTTM(Double.parseDouble(firmDTO.getAsString("ReturnOnAssetsTTM"))); eODFirmHighlightsDTO.setReturnOnEquityTTM(Double.parseDouble(firmDTO.getAsString("ReturnOnEquityTTM"))); eODFirmHighlightsDTO.setRevenueTTM(Long.parseLong(firmDTO.getAsString("RevenueTTM"))); eODFirmHighlightsDTO.setRevenuePerShareTTM(Double.parseDouble(firmDTO.getAsString("RevenuePerShareTTM"))); eODFirmHighlightsDTO.setQuarterlyEarningsGrowthYOY(Double.parseDouble(firmDTO.getAsString("QuarterlyRevenueGrowthYOY"))); eODFirmHighlightsDTO.setGrossProfitTTM(Long.parseLong(firmDTO.getAsString("GrossProfitTTM"))); eODFirmHighlightsDTO.setDilutedEpsTTM(Double.parseDouble(firmDTO.getAsString("DilutedEpsTTM"))); eODFirmHighlightsDTO.setQuarterlyRevenueGrowthYOY(Double.parseDouble(firmDTO.getAsString("QuarterlyEarningsGrowthYOY"))); return eODFirmHighlightsDTO; } }; modelMapper.addConverter(toUppercase); } }
42.716418
129
0.773585
82a64907c54defb35a73e7625d2e77ca936f7a27
553
package com.coreoz.plume.db.transaction; import javax.inject.Inject; import javax.inject.Provider; import javax.inject.Singleton; import javax.sql.DataSource; /** * Expose a {@link DataSource} Object through dependency injection. */ @Singleton public class DataSourceProvider implements Provider<DataSource> { private final DataSource dataSource; @Inject public DataSourceProvider(TransactionManager transactionManager) { this.dataSource = transactionManager.dataSource(); } @Override public DataSource get() { return dataSource; } }
20.481481
67
0.78481
7c46948b263bc560f999f9a9d2019d64e568f0e2
28,169
package okhttp3.internal.http2; import java.io.EOFException; import java.io.IOException; import java.io.InterruptedIOException; import java.net.SocketTimeoutException; import java.util.ArrayList; import java.util.List; import p362h.C14179A; import p362h.C14180B; import p362h.C14182D; import p362h.C14186c; import p362h.C14191g; import p362h.C14194i; public final class Http2Stream { static final /* synthetic */ boolean $assertionsDisabled = false; long bytesLeftInWriteWindow; final Http2Connection connection; ErrorCode errorCode = null; private boolean hasResponseHeaders; /* renamed from: id */ final int f43235id; final StreamTimeout readTimeout = new StreamTimeout(); private final List<Header> requestHeaders; private List<Header> responseHeaders; final FramingSink sink; private final FramingSource source; long unacknowledgedBytesRead = 0; final StreamTimeout writeTimeout = new StreamTimeout(); final class FramingSink implements C14179A { static final /* synthetic */ boolean $assertionsDisabled = false; private static final long EMIT_BUFFER_SIZE = 16384; boolean closed; boolean finished; private final C14191g sendBuffer = new C14191g(); FramingSink() { } public void write(C14191g source, long byteCount) throws IOException { this.sendBuffer.write(source, byteCount); while (this.sendBuffer.size() >= EMIT_BUFFER_SIZE) { emitFrame(false); } } /* JADX INFO: finally extract failed */ private void emitFrame(boolean outFinished) throws IOException { long toWrite; synchronized (Http2Stream.this) { Http2Stream.this.writeTimeout.enter(); while (Http2Stream.this.bytesLeftInWriteWindow <= 0 && !this.finished && !this.closed && Http2Stream.this.errorCode == null) { try { Http2Stream.this.waitForIo(); } catch (Throwable th) { Http2Stream.this.writeTimeout.exitAndThrowIfTimedOut(); throw th; } } Http2Stream.this.writeTimeout.exitAndThrowIfTimedOut(); Http2Stream.this.checkOutNotClosed(); toWrite = Math.min(Http2Stream.this.bytesLeftInWriteWindow, this.sendBuffer.size()); Http2Stream.this.bytesLeftInWriteWindow -= toWrite; } Http2Stream.this.writeTimeout.enter(); try { Http2Stream.this.connection.writeData(Http2Stream.this.f43235id, outFinished && toWrite == this.sendBuffer.size(), this.sendBuffer, toWrite); } finally { Http2Stream.this.writeTimeout.exitAndThrowIfTimedOut(); } } public void flush() throws IOException { synchronized (Http2Stream.this) { Http2Stream.this.checkOutNotClosed(); } while (this.sendBuffer.size() > 0) { emitFrame(false); Http2Stream.this.connection.flush(); } } public C14182D timeout() { return Http2Stream.this.writeTimeout; } /* JADX WARNING: Code restructure failed: missing block: B:11:0x001e, code lost: if (r8.sendBuffer.size() <= 0) goto L_0x002e; */ /* JADX WARNING: Code restructure failed: missing block: B:13:0x0028, code lost: if (r8.sendBuffer.size() <= 0) goto L_0x003b; */ /* JADX WARNING: Code restructure failed: missing block: B:14:0x002a, code lost: emitFrame(true); */ /* JADX WARNING: Code restructure failed: missing block: B:15:0x002e, code lost: r0 = r8.this$0; r0.connection.writeData(r0.f43235id, true, null, 0); */ /* JADX WARNING: Code restructure failed: missing block: B:16:0x003b, code lost: r2 = r8.this$0; */ /* JADX WARNING: Code restructure failed: missing block: B:17:0x003d, code lost: monitor-enter(r2); */ /* JADX WARNING: Code restructure failed: missing block: B:19:?, code lost: r8.closed = true; */ /* JADX WARNING: Code restructure failed: missing block: B:20:0x0040, code lost: monitor-exit(r2); */ /* JADX WARNING: Code restructure failed: missing block: B:21:0x0041, code lost: r8.this$0.connection.flush(); r8.this$0.cancelStreamIfNecessary(); */ /* JADX WARNING: Code restructure failed: missing block: B:22:0x004d, code lost: return; */ /* JADX WARNING: Code restructure failed: missing block: B:9:0x0012, code lost: if (r8.this$0.sink.finished != false) goto L_0x003b; */ /* Code decompiled incorrectly, please refer to instructions dump. */ public void close() throws java.io.IOException { /* r8 = this; okhttp3.internal.http2.Http2Stream r0 = okhttp3.internal.http2.Http2Stream.this monitor-enter(r0) boolean r1 = r8.closed // Catch:{ all -> 0x0051 } if (r1 == 0) goto L_0x000a monitor-exit(r0) // Catch:{ all -> 0x0051 } return L_0x000a: monitor-exit(r0) // Catch:{ all -> 0x0051 } okhttp3.internal.http2.Http2Stream r0 = okhttp3.internal.http2.Http2Stream.this okhttp3.internal.http2.Http2Stream$FramingSink r0 = r0.sink boolean r0 = r0.finished r1 = 1 if (r0 != 0) goto L_0x003b h.g r0 = r8.sendBuffer long r2 = r0.size() r4 = 0 int r0 = (r2 > r4 ? 1 : (r2 == r4 ? 0 : -1)) if (r0 <= 0) goto L_0x002e L_0x0020: h.g r0 = r8.sendBuffer long r2 = r0.size() int r0 = (r2 > r4 ? 1 : (r2 == r4 ? 0 : -1)) if (r0 <= 0) goto L_0x003b r8.emitFrame(r1) goto L_0x0020 L_0x002e: okhttp3.internal.http2.Http2Stream r0 = okhttp3.internal.http2.Http2Stream.this okhttp3.internal.http2.Http2Connection r2 = r0.connection int r3 = r0.f43235id r4 = 1 r5 = 0 r6 = 0 r2.writeData(r3, r4, r5, r6) L_0x003b: okhttp3.internal.http2.Http2Stream r2 = okhttp3.internal.http2.Http2Stream.this monitor-enter(r2) r8.closed = r1 // Catch:{ all -> 0x004e } monitor-exit(r2) // Catch:{ all -> 0x004e } okhttp3.internal.http2.Http2Stream r0 = okhttp3.internal.http2.Http2Stream.this okhttp3.internal.http2.Http2Connection r0 = r0.connection r0.flush() okhttp3.internal.http2.Http2Stream r0 = okhttp3.internal.http2.Http2Stream.this r0.cancelStreamIfNecessary() return L_0x004e: r0 = move-exception monitor-exit(r2) // Catch:{ all -> 0x004e } throw r0 L_0x0051: r1 = move-exception monitor-exit(r0) // Catch:{ all -> 0x0051 } goto L_0x0055 L_0x0054: throw r1 L_0x0055: goto L_0x0054 */ throw new UnsupportedOperationException("Method not decompiled: okhttp3.internal.http2.Http2Stream.FramingSink.close():void"); } } private final class FramingSource implements C14180B { static final /* synthetic */ boolean $assertionsDisabled = false; boolean closed; boolean finished; private final long maxByteCount; private final C14191g readBuffer = new C14191g(); private final C14191g receiveBuffer = new C14191g(); FramingSource(long maxByteCount2) { this.maxByteCount = maxByteCount2; } /* JADX WARNING: Code restructure failed: missing block: B:14:0x005d, code lost: r5 = r10.this$0.connection; */ /* JADX WARNING: Code restructure failed: missing block: B:15:0x0061, code lost: monitor-enter(r5); */ /* JADX WARNING: Code restructure failed: missing block: B:17:?, code lost: r10.this$0.connection.unacknowledgedBytesRead += r3; */ /* JADX WARNING: Code restructure failed: missing block: B:18:0x0080, code lost: if (r10.this$0.connection.unacknowledgedBytesRead < ((long) (r10.this$0.connection.okHttpSettings.getInitialWindowSize() / 2))) goto L_0x0096; */ /* JADX WARNING: Code restructure failed: missing block: B:19:0x0082, code lost: r10.this$0.connection.writeWindowUpdateLater(0, r10.this$0.connection.unacknowledgedBytesRead); r10.this$0.connection.unacknowledgedBytesRead = 0; */ /* JADX WARNING: Code restructure failed: missing block: B:20:0x0096, code lost: monitor-exit(r5); */ /* JADX WARNING: Code restructure failed: missing block: B:21:0x0097, code lost: return r3; */ /* Code decompiled incorrectly, please refer to instructions dump. */ public long read(p362h.C14191g r11, long r12) throws java.io.IOException { /* r10 = this; r0 = 0 int r2 = (r12 > r0 ? 1 : (r12 == r0 ? 0 : -1)) if (r2 < 0) goto L_0x009e okhttp3.internal.http2.Http2Stream r2 = okhttp3.internal.http2.Http2Stream.this monitor-enter(r2) r10.waitUntilReadable() // Catch:{ all -> 0x009b } r10.checkNotClosed() // Catch:{ all -> 0x009b } h.g r3 = r10.readBuffer // Catch:{ all -> 0x009b } long r3 = r3.size() // Catch:{ all -> 0x009b } int r5 = (r3 > r0 ? 1 : (r3 == r0 ? 0 : -1)) if (r5 != 0) goto L_0x001d r0 = -1 monitor-exit(r2) // Catch:{ all -> 0x009b } return r0 L_0x001d: h.g r3 = r10.readBuffer // Catch:{ all -> 0x009b } h.g r4 = r10.readBuffer // Catch:{ all -> 0x009b } long r4 = r4.size() // Catch:{ all -> 0x009b } long r4 = java.lang.Math.min(r12, r4) // Catch:{ all -> 0x009b } long r3 = r3.read(r11, r4) // Catch:{ all -> 0x009b } okhttp3.internal.http2.Http2Stream r5 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x009b } long r6 = r5.unacknowledgedBytesRead // Catch:{ all -> 0x009b } long r6 = r6 + r3 r5.unacknowledgedBytesRead = r6 // Catch:{ all -> 0x009b } okhttp3.internal.http2.Http2Stream r5 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x009b } long r5 = r5.unacknowledgedBytesRead // Catch:{ all -> 0x009b } okhttp3.internal.http2.Http2Stream r7 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x009b } okhttp3.internal.http2.Http2Connection r7 = r7.connection // Catch:{ all -> 0x009b } okhttp3.internal.http2.Settings r7 = r7.okHttpSettings // Catch:{ all -> 0x009b } int r7 = r7.getInitialWindowSize() // Catch:{ all -> 0x009b } int r7 = r7 / 2 long r7 = (long) r7 // Catch:{ all -> 0x009b } int r9 = (r5 > r7 ? 1 : (r5 == r7 ? 0 : -1)) if (r9 < 0) goto L_0x005c okhttp3.internal.http2.Http2Stream r5 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x009b } okhttp3.internal.http2.Http2Connection r5 = r5.connection // Catch:{ all -> 0x009b } okhttp3.internal.http2.Http2Stream r6 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x009b } int r6 = r6.f43235id // Catch:{ all -> 0x009b } okhttp3.internal.http2.Http2Stream r7 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x009b } long r7 = r7.unacknowledgedBytesRead // Catch:{ all -> 0x009b } r5.writeWindowUpdateLater(r6, r7) // Catch:{ all -> 0x009b } okhttp3.internal.http2.Http2Stream r5 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x009b } r5.unacknowledgedBytesRead = r0 // Catch:{ all -> 0x009b } L_0x005c: monitor-exit(r2) // Catch:{ all -> 0x009b } okhttp3.internal.http2.Http2Stream r2 = okhttp3.internal.http2.Http2Stream.this okhttp3.internal.http2.Http2Connection r5 = r2.connection monitor-enter(r5) okhttp3.internal.http2.Http2Stream r2 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x0098 } okhttp3.internal.http2.Http2Connection r2 = r2.connection // Catch:{ all -> 0x0098 } long r6 = r2.unacknowledgedBytesRead // Catch:{ all -> 0x0098 } long r6 = r6 + r3 r2.unacknowledgedBytesRead = r6 // Catch:{ all -> 0x0098 } okhttp3.internal.http2.Http2Stream r2 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x0098 } okhttp3.internal.http2.Http2Connection r2 = r2.connection // Catch:{ all -> 0x0098 } long r6 = r2.unacknowledgedBytesRead // Catch:{ all -> 0x0098 } okhttp3.internal.http2.Http2Stream r2 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x0098 } okhttp3.internal.http2.Http2Connection r2 = r2.connection // Catch:{ all -> 0x0098 } okhttp3.internal.http2.Settings r2 = r2.okHttpSettings // Catch:{ all -> 0x0098 } int r2 = r2.getInitialWindowSize() // Catch:{ all -> 0x0098 } int r2 = r2 / 2 long r8 = (long) r2 // Catch:{ all -> 0x0098 } int r2 = (r6 > r8 ? 1 : (r6 == r8 ? 0 : -1)) if (r2 < 0) goto L_0x0096 okhttp3.internal.http2.Http2Stream r2 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x0098 } okhttp3.internal.http2.Http2Connection r2 = r2.connection // Catch:{ all -> 0x0098 } r6 = 0 okhttp3.internal.http2.Http2Stream r7 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x0098 } okhttp3.internal.http2.Http2Connection r7 = r7.connection // Catch:{ all -> 0x0098 } long r7 = r7.unacknowledgedBytesRead // Catch:{ all -> 0x0098 } r2.writeWindowUpdateLater(r6, r7) // Catch:{ all -> 0x0098 } okhttp3.internal.http2.Http2Stream r2 = okhttp3.internal.http2.Http2Stream.this // Catch:{ all -> 0x0098 } okhttp3.internal.http2.Http2Connection r2 = r2.connection // Catch:{ all -> 0x0098 } r2.unacknowledgedBytesRead = r0 // Catch:{ all -> 0x0098 } L_0x0096: monitor-exit(r5) // Catch:{ all -> 0x0098 } return r3 L_0x0098: r0 = move-exception monitor-exit(r5) // Catch:{ all -> 0x0098 } throw r0 L_0x009b: r0 = move-exception monitor-exit(r2) // Catch:{ all -> 0x009b } throw r0 L_0x009e: java.lang.IllegalArgumentException r0 = new java.lang.IllegalArgumentException java.lang.StringBuilder r1 = new java.lang.StringBuilder r1.<init>() java.lang.String r2 = "byteCount < 0: " r1.append(r2) r1.append(r12) java.lang.String r1 = r1.toString() r0.<init>(r1) throw r0 */ throw new UnsupportedOperationException("Method not decompiled: okhttp3.internal.http2.Http2Stream.FramingSource.read(h.g, long):long"); } private void waitUntilReadable() throws IOException { Http2Stream.this.readTimeout.enter(); while (this.readBuffer.size() == 0 && !this.finished && !this.closed && Http2Stream.this.errorCode == null) { try { Http2Stream.this.waitForIo(); } finally { Http2Stream.this.readTimeout.exitAndThrowIfTimedOut(); } } } /* access modifiers changed from: 0000 */ public void receive(C14194i in, long byteCount) throws IOException { boolean finished2; boolean z; boolean flowControlError; while (byteCount > 0) { synchronized (Http2Stream.this) { finished2 = this.finished; z = true; flowControlError = this.readBuffer.size() + byteCount > this.maxByteCount; } if (flowControlError) { in.skip(byteCount); Http2Stream.this.closeLater(ErrorCode.FLOW_CONTROL_ERROR); return; } else if (finished2) { in.skip(byteCount); return; } else { long read = in.read(this.receiveBuffer, byteCount); if (read != -1) { long byteCount2 = byteCount - read; synchronized (Http2Stream.this) { if (this.readBuffer.size() != 0) { z = false; } boolean wasEmpty = z; this.readBuffer.mo44203a((C14180B) this.receiveBuffer); if (wasEmpty) { Http2Stream.this.notifyAll(); } } byteCount = byteCount2; } else { throw new EOFException(); } } } } public C14182D timeout() { return Http2Stream.this.readTimeout; } public void close() throws IOException { synchronized (Http2Stream.this) { this.closed = true; this.readBuffer.mo44214a(); Http2Stream.this.notifyAll(); } Http2Stream.this.cancelStreamIfNecessary(); } private void checkNotClosed() throws IOException { if (!this.closed) { ErrorCode errorCode = Http2Stream.this.errorCode; if (errorCode != null) { throw new StreamResetException(errorCode); } return; } throw new IOException("stream closed"); } } class StreamTimeout extends C14186c { StreamTimeout() { } /* access modifiers changed from: protected */ public void timedOut() { Http2Stream.this.closeLater(ErrorCode.CANCEL); } /* access modifiers changed from: protected */ public IOException newTimeoutException(IOException cause) { SocketTimeoutException socketTimeoutException = new SocketTimeoutException("timeout"); if (cause != null) { socketTimeoutException.initCause(cause); } return socketTimeoutException; } public void exitAndThrowIfTimedOut() throws IOException { if (exit()) { throw newTimeoutException(null); } } } Http2Stream(int id, Http2Connection connection2, boolean outFinished, boolean inFinished, List<Header> requestHeaders2) { if (connection2 == null) { throw new NullPointerException("connection == null"); } else if (requestHeaders2 != null) { this.f43235id = id; this.connection = connection2; this.bytesLeftInWriteWindow = (long) connection2.peerSettings.getInitialWindowSize(); this.source = new FramingSource((long) connection2.okHttpSettings.getInitialWindowSize()); this.sink = new FramingSink(); this.source.finished = inFinished; this.sink.finished = outFinished; this.requestHeaders = requestHeaders2; } else { throw new NullPointerException("requestHeaders == null"); } } public int getId() { return this.f43235id; } public synchronized boolean isOpen() { if (this.errorCode != null) { return false; } if ((this.source.finished || this.source.closed) && ((this.sink.finished || this.sink.closed) && this.hasResponseHeaders)) { return false; } return true; } public boolean isLocallyInitiated() { if (this.connection.client == ((this.f43235id & 1) == 1)) { return true; } return false; } public Http2Connection getConnection() { return this.connection; } public List<Header> getRequestHeaders() { return this.requestHeaders; } public synchronized List<Header> takeResponseHeaders() throws IOException { List<Header> result; if (isLocallyInitiated()) { this.readTimeout.enter(); while (this.responseHeaders == null) { try { try { if (this.errorCode == null) { waitForIo(); } } catch (Throwable th) { th = th; this.readTimeout.exitAndThrowIfTimedOut(); throw th; } } catch (Throwable th2) { th = th2; this.readTimeout.exitAndThrowIfTimedOut(); throw th; } } this.readTimeout.exitAndThrowIfTimedOut(); result = this.responseHeaders; if (result != null) { this.responseHeaders = null; } else { throw new StreamResetException(this.errorCode); } } else { throw new IllegalStateException("servers cannot read response headers"); } return result; } public synchronized ErrorCode getErrorCode() { return this.errorCode; } public void sendResponseHeaders(List<Header> responseHeaders2, boolean out) throws IOException { if (responseHeaders2 != null) { boolean outFinished = false; synchronized (this) { this.hasResponseHeaders = true; if (!out) { this.sink.finished = true; outFinished = true; } } this.connection.writeSynReply(this.f43235id, outFinished, responseHeaders2); if (outFinished) { this.connection.flush(); return; } return; } throw new NullPointerException("responseHeaders == null"); } public C14182D readTimeout() { return this.readTimeout; } public C14182D writeTimeout() { return this.writeTimeout; } public C14180B getSource() { return this.source; } public C14179A getSink() { synchronized (this) { if (!this.hasResponseHeaders) { if (!isLocallyInitiated()) { throw new IllegalStateException("reply before requesting the sink"); } } } return this.sink; } public void close(ErrorCode rstStatusCode) throws IOException { if (closeInternal(rstStatusCode)) { this.connection.writeSynReset(this.f43235id, rstStatusCode); } } public void closeLater(ErrorCode errorCode2) { if (closeInternal(errorCode2)) { this.connection.writeSynResetLater(this.f43235id, errorCode2); } } private boolean closeInternal(ErrorCode errorCode2) { synchronized (this) { if (this.errorCode != null) { return false; } if (this.source.finished && this.sink.finished) { return false; } this.errorCode = errorCode2; notifyAll(); this.connection.removeStream(this.f43235id); return true; } } /* access modifiers changed from: 0000 */ public void receiveHeaders(List<Header> headers) { boolean open = true; synchronized (this) { this.hasResponseHeaders = true; if (this.responseHeaders == null) { this.responseHeaders = headers; open = isOpen(); notifyAll(); } else { List<Header> newHeaders = new ArrayList<>(); newHeaders.addAll(this.responseHeaders); newHeaders.add(null); newHeaders.addAll(headers); this.responseHeaders = newHeaders; } } if (!open) { this.connection.removeStream(this.f43235id); } } /* access modifiers changed from: 0000 */ public void receiveData(C14194i in, int length) throws IOException { this.source.receive(in, (long) length); } /* access modifiers changed from: 0000 */ public void receiveFin() { boolean open; synchronized (this) { this.source.finished = true; open = isOpen(); notifyAll(); } if (!open) { this.connection.removeStream(this.f43235id); } } /* access modifiers changed from: 0000 */ public synchronized void receiveRstStream(ErrorCode errorCode2) { if (this.errorCode == null) { this.errorCode = errorCode2; notifyAll(); } } /* access modifiers changed from: 0000 */ public void cancelStreamIfNecessary() throws IOException { boolean cancel; boolean open; synchronized (this) { cancel = !this.source.finished && this.source.closed && (this.sink.finished || this.sink.closed); open = isOpen(); } if (cancel) { close(ErrorCode.CANCEL); } else if (!open) { this.connection.removeStream(this.f43235id); } } /* access modifiers changed from: 0000 */ public void addBytesToWriteWindow(long delta) { this.bytesLeftInWriteWindow += delta; if (delta > 0) { notifyAll(); } } /* access modifiers changed from: 0000 */ public void checkOutNotClosed() throws IOException { FramingSink framingSink = this.sink; if (framingSink.closed) { throw new IOException("stream closed"); } else if (!framingSink.finished) { ErrorCode errorCode2 = this.errorCode; if (errorCode2 != null) { throw new StreamResetException(errorCode2); } } else { throw new IOException("stream finished"); } } /* access modifiers changed from: 0000 */ public void waitForIo() throws InterruptedIOException { try { wait(); } catch (InterruptedException e) { throw new InterruptedIOException(); } } }
41.608567
157
0.539174
118879e24ec8273a5ecda989bb67ea5e532e2f14
11,158
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.camel.component.thrift; import java.nio.ByteBuffer; import java.util.ArrayList; import java.util.HashMap; import java.util.HashSet; import java.util.List; import java.util.concurrent.CountDownLatch; import java.util.concurrent.TimeUnit; import org.apache.camel.Exchange; import org.apache.camel.builder.RouteBuilder; import org.apache.camel.component.thrift.generated.InvalidOperation; import org.apache.camel.component.thrift.generated.Operation; import org.apache.camel.component.thrift.generated.Work; import org.apache.camel.support.SynchronizationAdapter; import org.junit.jupiter.api.Test; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import static org.junit.jupiter.api.Assertions.assertEquals; import static org.junit.jupiter.api.Assertions.assertNotNull; import static org.junit.jupiter.api.Assertions.assertNull; import static org.junit.jupiter.api.Assertions.assertTrue; public class ThriftProducerAsyncTest extends ThriftProducerBaseTest { private static final Logger LOG = LoggerFactory.getLogger(ThriftProducerAsyncTest.class); private Object responseBody; @Test @SuppressWarnings({"rawtypes", "unchecked"}) public void testCalculateMethodInvocation() throws Exception { LOG.info("Thrift calculate method async test start"); List requestBody = new ArrayList(); final CountDownLatch latch = new CountDownLatch(1); requestBody.add(1); requestBody.add(new Work(THRIFT_TEST_NUM1, THRIFT_TEST_NUM2, Operation.MULTIPLY)); template.asyncCallbackSendBody("direct:thrift-calculate", requestBody, new SynchronizationAdapter() { @Override public void onComplete(Exchange exchange) { responseBody = exchange.getMessage().getBody(); latch.countDown(); } @Override public void onFailure(Exchange exchange) { responseBody = exchange.getException(); latch.countDown(); } }); latch.await(5, TimeUnit.SECONDS); assertNotNull(responseBody); assertTrue(responseBody instanceof Integer); assertEquals(THRIFT_TEST_NUM1 * THRIFT_TEST_NUM2, responseBody); } @Test @SuppressWarnings({"rawtypes", "unchecked"}) public void testAddMethodInvocation() throws Exception { LOG.info("Thrift add method (primitive parameters only) async test start"); final CountDownLatch latch = new CountDownLatch(1); List requestBody = new ArrayList(); responseBody = null; requestBody.add(THRIFT_TEST_NUM1); requestBody.add(THRIFT_TEST_NUM2); template.asyncCallbackSendBody("direct:thrift-add", requestBody, new SynchronizationAdapter() { @Override public void onComplete(Exchange exchange) { responseBody = exchange.getMessage().getBody(); latch.countDown(); } @Override public void onFailure(Exchange exchange) { responseBody = exchange.getException(); latch.countDown(); } }); latch.await(5, TimeUnit.SECONDS); assertNotNull(responseBody); assertTrue(responseBody instanceof Integer); assertEquals(THRIFT_TEST_NUM1 + THRIFT_TEST_NUM2, responseBody); } @Test @SuppressWarnings({"rawtypes", "unchecked"}) public void testCalculateWithException() throws Exception { LOG.info("Thrift calculate method with business exception async test start"); final CountDownLatch latch = new CountDownLatch(1); List requestBody = new ArrayList(); requestBody.add(1); requestBody.add(new Work(THRIFT_TEST_NUM1, 0, Operation.DIVIDE)); template.asyncCallbackSendBody("direct:thrift-calculate", requestBody, new SynchronizationAdapter() { @Override public void onComplete(Exchange exchange) { latch.countDown(); } @Override public void onFailure(Exchange exchange) { responseBody = exchange.getException(); latch.countDown(); } }); latch.await(5, TimeUnit.SECONDS); assertTrue(responseBody instanceof InvalidOperation, "Get an InvalidOperation exception"); } @Test public void testVoidMethodInvocation() throws Exception { LOG.info("Thrift method with empty parameters and void output async test start"); final CountDownLatch latch = new CountDownLatch(1); final Object requestBody = null; responseBody = new Object(); template.asyncCallbackSendBody("direct:thrift-ping", requestBody, new SynchronizationAdapter() { @Override public void onComplete(Exchange exchange) { responseBody = exchange.getMessage().getBody(); latch.countDown(); } @Override public void onFailure(Exchange exchange) { responseBody = exchange.getException(); latch.countDown(); } }); latch.await(5, TimeUnit.SECONDS); assertNull(responseBody); } @Test public void testOneWayMethodInvocation() throws Exception { LOG.info("Thrift one-way method async test start"); final CountDownLatch latch = new CountDownLatch(1); final Object requestBody = null; responseBody = new Object(); template.asyncCallbackSendBody("direct:thrift-zip", requestBody, new SynchronizationAdapter() { @Override public void onComplete(Exchange exchange) { responseBody = exchange.getMessage().getBody(); latch.countDown(); } @Override public void onFailure(Exchange exchange) { responseBody = exchange.getException(); latch.countDown(); } }); latch.await(5, TimeUnit.SECONDS); assertNull(responseBody); } @Test @SuppressWarnings({"rawtypes", "unchecked"}) public void testAllTypesMethodInvocation() throws Exception { LOG.info("Thrift method with all possile types async test start"); final CountDownLatch latch = new CountDownLatch(1); List requestBody = new ArrayList(); requestBody.add(true); requestBody.add((byte)THRIFT_TEST_NUM1); requestBody.add((short)THRIFT_TEST_NUM1); requestBody.add(THRIFT_TEST_NUM1); requestBody.add((long)THRIFT_TEST_NUM1); requestBody.add((double)THRIFT_TEST_NUM1); requestBody.add("empty"); requestBody.add(ByteBuffer.allocate(10)); requestBody.add(new Work(THRIFT_TEST_NUM1, THRIFT_TEST_NUM2, Operation.MULTIPLY)); requestBody.add(new ArrayList<Integer>()); requestBody.add(new HashSet<String>()); requestBody.add(new HashMap<String, Long>()); responseBody = new Object(); template.asyncCallbackSendBody("direct:thrift-alltypes", requestBody, new SynchronizationAdapter() { @Override public void onComplete(Exchange exchange) { responseBody = exchange.getMessage().getBody(); latch.countDown(); } @Override public void onFailure(Exchange exchange) { responseBody = exchange.getException(); latch.countDown(); } }); latch.await(5, TimeUnit.SECONDS); assertNotNull(responseBody); assertTrue(responseBody instanceof Integer); assertEquals(1, responseBody); } @Test @SuppressWarnings({"rawtypes", "unchecked"}) public void testEchoMethodInvocation() throws Exception { LOG.info("Thrift echo method (return output as pass input parameter) async test start"); final CountDownLatch latch = new CountDownLatch(1); List requestBody = new ArrayList(); requestBody.add(new Work(THRIFT_TEST_NUM1, THRIFT_TEST_NUM2, Operation.MULTIPLY)); responseBody = new Object(); template.asyncCallbackSendBody("direct:thrift-echo", requestBody, new SynchronizationAdapter() { @Override public void onComplete(Exchange exchange) { responseBody = exchange.getMessage().getBody(); latch.countDown(); } @Override public void onFailure(Exchange exchange) { responseBody = exchange.getException(); latch.countDown(); } }); latch.await(5, TimeUnit.SECONDS); assertNotNull(responseBody); assertTrue(responseBody instanceof Work); assertEquals(THRIFT_TEST_NUM1, ((Work)responseBody).num1); assertEquals(Operation.MULTIPLY, ((Work)responseBody).op); } @Override protected RouteBuilder createRouteBuilder() throws Exception { return new RouteBuilder() { @Override public void configure() { from("direct:thrift-calculate") .to("thrift://localhost:" + THRIFT_TEST_PORT + "/org.apache.camel.component.thrift.generated.Calculator?method=calculate"); from("direct:thrift-add") .to("thrift://localhost:" + THRIFT_TEST_PORT + "/org.apache.camel.component.thrift.generated.Calculator?method=add"); from("direct:thrift-ping") .to("thrift://localhost:" + THRIFT_TEST_PORT + "/org.apache.camel.component.thrift.generated.Calculator?method=ping"); from("direct:thrift-zip") .to("thrift://localhost:" + THRIFT_TEST_PORT + "/org.apache.camel.component.thrift.generated.Calculator?method=zip"); from("direct:thrift-alltypes") .to("thrift://localhost:" + THRIFT_TEST_PORT + "/org.apache.camel.component.thrift.generated.Calculator?method=alltypes"); from("direct:thrift-echo") .to("thrift://localhost:" + THRIFT_TEST_PORT + "/org.apache.camel.component.thrift.generated.Calculator?method=echo"); } }; } }
38.081911
143
0.641513
b445d1d528f4b8bc002125aae4336f3e1955c2c8
2,191
package uk.codenest.mongofly.reader; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStream; import java.io.InputStreamReader; import java.nio.charset.Charset; import java.util.regex.Pattern; import java.util.stream.Collectors; import lombok.extern.slf4j.Slf4j; import org.springframework.core.io.Resource; import uk.codenest.mongofly.entity.ChangeSet; import uk.codenest.mongofly.entity.Script; import uk.codenest.mongofly.exception.ValidationException; @Slf4j public class ChangeSetReader { private static final String FILE_PATTERN = "V[0-9]{4}(0[1-9]|1[0-2])(0[1-9]|[1-2][0-9]|3[0-1])-(2[0-3]|[01][0-9])[0-5][0-9]_([a-zA-Z0-9_-]){3,100}.js"; private static Pattern PATTERN = Pattern.compile(FILE_PATTERN); public ChangeSet getChangeSet(final Resource resource) { final String filename = resource.getFilename(); if (!PATTERN.matcher(filename).matches()) { throw new ValidationException("File pattern must be Vyyyymmdd-hhMM_Description.js"); } final String changeId = filename.substring(0, filename.indexOf("_")); final String description = filename.substring(filename.indexOf("_") + 1, filename.indexOf(".js")); final Script script = this.getScripts(resource); if (log.isTraceEnabled()) { log.trace("Changeset"); log.trace("id: " + changeId); log.trace("description: " + description); log.trace("script"); log.trace(script.getBody()); } return new ChangeSet(changeId, description, filename, script); } private Script getScripts(final Resource resource) { try { InputStream inputStream = resource.getInputStream(); StringBuilder str = new StringBuilder(); try (BufferedReader br = new BufferedReader(new InputStreamReader(inputStream, Charset.defaultCharset()))) { str.append(br.lines().collect(Collectors.joining(System.lineSeparator()))); } return new Script(str.toString()); } catch (IOException e) { log.error("Cannot read file", e); return null; } } }
37.135593
155
0.658147
b5757bbe0c91647ccf6f5fdbce2762c6a06a443d
1,571
import kotlin.Unit; import kotlin.coroutines.Continuation; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import java.io.IOException; public class J { public static void main(String[] args) { String s = new TestRet().test(); // should report deprecation var x = new AClass(); x.member(); AClass.Companion.f(); AClass.comp(); // should report deprecation AClass.comp(null); AClass.P.f(); try { AClass.P.compThrows(); } catch (IOException ignored) { } AClass.f(); x.overloads(); x.overloads(1); x.member(); x.overloads(1, ""); AnnotationOnInterface i = new AnnotationOnInterface() { @Nullable @Override public Object suspend(@NotNull Continuation<? super Unit> $completion) { return null; } @Override public void nonSuspend() { } }; i.nonSuspend(); i.suspend(); new AClass() { @Nullable @Override public Object member(@NotNull Continuation<? super Unit> $completion) { return super.member($completion); } @Nullable @Override public void overloads() { super.overloads(); } @Nullable @Override public void member() { super.member(); } }; } }
22.442857
84
0.501591
ff237ea064ed23c032cf4c00d33ed938344eed8f
3,939
/* * Copyright (c) 2016, Stein Eldar Johnsen * * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the * specific language governing permissions and limitations * under the License. */ package net.morimekta.testing; import net.morimekta.util.concurrent.ProcessExecutor; import java.io.File; import java.io.IOException; import java.io.InputStream; import java.io.UncheckedIOException; /** * Helper to handle process forking related to testing a jar file. */ public class IntegrationExecutor { private final File jarFile; private Long deadlineMs; private InputStream inputStream; private ProcessExecutor executor; public IntegrationExecutor(String module, String name) throws IOException { this(findMavenTargetJar(module, name)); } protected IntegrationExecutor(File jarFile) { this.jarFile = jarFile; } /** * @return The programs stdout content. */ public String getOutput() { if (executor == null) { return ""; } return executor.getOutput(); } /** * @return The programs stderr content. */ public String getError() { if (executor == null) { return ""; } return executor.getError(); } /** * Set input stream to write to the process as program input. * * @param in The program input. */ public void setInput(InputStream in) { this.inputStream = in; } /** * Set the program deadline. If not finished in this time interval, * the run fails with an IOException. * * @param deadlineMs The new deadline in milliseconds. 0 means to wait * forever. Default is 1 second. */ public void setDeadlineMs(long deadlineMs) { this.deadlineMs = deadlineMs; } /** * Run the program with the specified arguments. * * @param args The arguments. * @return The programs exit code. * @throws IOException If the run times out or is interrupted. */ public int run(String... args) throws IOException { try { String[] cmd = new String[args.length + 3]; cmd[0] = "java"; cmd[1] = "-jar"; cmd[2] = jarFile.getCanonicalPath(); if (args.length > 0) { System.arraycopy(args, 0, cmd, 3, args.length); } executor = new ProcessExecutor(cmd); if (inputStream != null) { executor.setInput(inputStream); } if (deadlineMs != null) { executor.setDeadlineMs(deadlineMs); } return executor.call(); } catch (UncheckedIOException e) { throw e.getCause(); } } private static File findMavenTargetJar(String module, String name) throws IOException { if (new File(module).isDirectory()) { File inModule = new File(module + "/target/" + name); if (inModule.isFile()) { return inModule; } } File local = new File("target/" + name); if (local.isFile()) { return local; } throw new IOException("No such jar file: " + name); } }
29.395522
91
0.605737
50440e2ad1631e4a8d12bf844da7e268c640edaa
2,484
package org.ncic.bioinfo.sparkseq.algorithms.walker.haplotypecaller.readthreading; import org.ncic.bioinfo.sparkseq.algorithms.utils.Utils; import org.ncic.bioinfo.sparkseq.algorithms.walker.haplotypecaller.graphs.DeBruijnVertex; import java.util.LinkedList; import java.util.List; import java.util.concurrent.atomic.AtomicInteger; /** * A DeBruijnVertex that supports multiple copies of the same kmer * * This is implemented through the same mechanism as SeqVertex, where each * created MultiDeBruijnVertex has a unique id assigned upon creation. Two * MultiDeBruijnVertex are equal iff they have the same ID * * User: depristo * Date: 4/17/13 * Time: 3:20 PM */ public final class MultiDeBruijnVertex extends DeBruijnVertex { private final static boolean KEEP_TRACK_OF_READS = false; // Note that using an AtomicInteger is critical to allow multi-threaded HaplotypeCaller private static final AtomicInteger idCounter = new AtomicInteger(0); private int id = idCounter.getAndIncrement(); private final List<String> reads = new LinkedList<String>(); /** * Create a new MultiDeBruijnVertex with kmer sequence * @param sequence the kmer sequence */ MultiDeBruijnVertex(byte[] sequence) { super(sequence); } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; MultiDeBruijnVertex that = (MultiDeBruijnVertex) o; return id == that.id; } @Override public String toString() { return "MultiDeBruijnVertex_id_" + id + "_seq_" + getSequenceString(); } /** * Add name information to this vertex for debugging * * This information will be captured as a list of strings, and displayed in DOT if this * graph is written out to disk * * This functionality is only enabled when KEEP_TRACK_OF_READS is true * * @param name a non-null string */ protected void addRead(final String name) { if ( name == null ) throw new IllegalArgumentException("name cannot be null"); if ( KEEP_TRACK_OF_READS ) reads.add(name); } @Override public int hashCode() { return id; } @Override public String additionalInfo() { return super.additionalInfo() + (KEEP_TRACK_OF_READS ? (! reads.contains("ref") ? "__" + Utils.join(",", reads) : "") : ""); } int getId() { return id; } }
31.05
132
0.682367
dc0b94bc35c19712052db52eb90053abe9f3f7e2
4,712
/* * File: FileSerializationHandlerTestHarness.java * Authors: Justin Basilico * Company: Sandia National Laboratories * Project: Cognitive Foundry * * Copyright October 16, 2009, Sandia Corporation. * Under the terms of Contract DE-AC04-94AL85000, there is a non-exclusive * license for use of this work by or on behalf of the U.S. Government. Export * of this program may require a license from the United States Government. * See CopyrightHistory.txt for complete details. * */ package gov.sandia.cognition.io.serialization; import gov.sandia.cognition.math.ComplexNumber; import gov.sandia.cognition.math.Ring; import gov.sandia.cognition.math.matrix.Matrix; import gov.sandia.cognition.math.matrix.MatrixFactory; import java.io.File; import java.io.Serializable; import java.util.Date; import java.util.LinkedList; import java.util.List; import java.util.Random; import junit.framework.TestCase; /** * Test harness for FileSerializationHandler interface. * * @param <SerializedType> * The type of object that can be serialized. * @author Justin Basilico * @since 3.0 */ public abstract class FileSerializationHandlerTestHarness<SerializedType> extends TestCase { /** * Creates a new test. * * @param testName The test name. */ public FileSerializationHandlerTestHarness( String testName) { super(testName); } /** * Creates an instance to test on. * * @return * A new instance to test on. */ public abstract FileSerializationHandler<SerializedType> createInstance(); /** * Creates a test object list. * * @return * A test object list. */ public abstract List<SerializedType> createTestObjectList(); /** * Test of writeToFile method, of class FileSerializationHandler. * * @throws Exception */ public void testWriteToFile() throws Exception { final File file = File.createTempFile( "TEMP-" + this.getClass().getSimpleName() + "-testWriteToFile", "temp"); final String fileName = file.getAbsolutePath(); file.deleteOnExit(); final FileSerializationHandler<SerializedType> instance = this.createInstance(); for (SerializedType original : this.createTestObjectList()) { // Write using the file object. instance.writeToFile(file, original); Object deserialized = instance.readFromFile(file); assertEquals(original, deserialized); assertNotNull(deserialized); // Write using the file name. instance.writeToFile(fileName, original); deserialized = instance.readFromFile(fileName); assertEquals(original, deserialized); assertNotNull(deserialized); } file.delete(); } /** * Test of readFromFile method, of class FileSerializationHandler. * * @throws Exception */ public void testReadFromFile() throws Exception { // Tested by writing to a file. this.testWriteToFile(); } /** * Creates a list of serializable object to test serialization on. * * @param random * A random number generator to use. * @return * A list of serializable objects to test. */ public static List<Serializable> createSerializableTestObjectList( final Random random) { final LinkedList<Serializable> result = new LinkedList<Serializable>(); result.add(Boolean.FALSE); result.add(Boolean.TRUE); result.add(new Integer(4)); result.add(new Long(7L)); result.add(new Float(4.1f)); result.add(new Double(1.4)); result.add(new Character('b')); result.add("this is a test string"); result.add(""); result.add(new Date()); int N = random.nextInt(100) + 3; LinkedList<Ring<?>> list = new LinkedList<Ring<?>>(); for (int i = 0; i < N; i++) { if (random.nextBoolean()) { list.add(MatrixFactory.getDefault().createUniformRandom( 2, 3, -3, 3, random)); } else { list.add(new ComplexNumber( random.nextGaussian(), random.nextGaussian())); } } result.add(list); final Matrix matrix = MatrixFactory.getDefault().createUniformRandom( 3, 4, -3.0, 3.0, random); result.add(matrix); return result; } }
28.557576
79
0.6059
3c20ee8b649733c7f77ce687cfdc1425078cb8bd
1,501
package mideum._29; /** * @author zly * * Given two integers dividend and divisor, divide two integers without using multiplication, division and mod operator. * * Return the quotient after dividing dividend by divisor. * * The integer division should truncate toward zero. * * Example 1: * * Input: dividend = 10, divisor = 3 * Output: 3 * Example 2: * * Input: dividend = 7, divisor = -3 * Output: -2 * Note: * * Both dividend and divisor will be 32-bit signed integers. * The divisor will never be 0. * Assume we are dealing with an environment which could only store integers within the 32-bit signed integer range: [−231, 231 − 1]. * For the purpose of this problem, assume that your function returns 231 − 1 when the division result overflows. */ public class DivideTwoIntegersSlow { public int divide(int dividend, int divisor) { int res = 0; if (divisor == 0) return Integer.MAX_VALUE; else if (divisor == 1) return dividend; else if(dividend == Integer.MIN_VALUE) { if (divisor == -1) return Integer.MAX_VALUE; dividend = dividend + Math.abs(divisor); res ++; } // get signs with xor boolean isNege = (dividend ^ divisor)>>>31 == 1; dividend = Math.abs(dividend); divisor = Math.abs(divisor); while (dividend > 0) { while ((dividend = dividend - divisor) >= 0) res ++; } return isNege ? -res : res; } }
25.440678
134
0.622918
82e46093f0bc1e65d3a7a6b8339ef44d8e7085f4
7,253
/* * Copyright 2022 S. Webber * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.projog.core.predicate.builtin.clp; import static org.projog.core.term.TermUtils.castToNumeric; import java.util.ArrayList; import java.util.Collection; import java.util.LinkedHashSet; import java.util.List; import java.util.Map; import java.util.Set; import java.util.function.Consumer; import java.util.function.Function; import org.projog.clp.Constraint; import org.projog.clp.ConstraintStore; import org.projog.clp.Expression; import org.projog.clp.ExpressionResult; import org.projog.clp.VariableState; import org.projog.core.ProjogException; import org.projog.core.math.Numeric; import org.projog.core.term.Term; import org.projog.core.term.TermType; import org.projog.core.term.Variable; /** A {@code Term} that could represent a number of possible numeric values. */ final class ClpVariable implements Numeric, Expression { private ClpVariable child; private final VariableState state; private final List<Constraint> rules; public ClpVariable() { this.state = new VariableState(); this.rules = new ArrayList<>(); } private ClpVariable(ClpVariable parent) { this.state = parent.state.copy(); this.rules = new ArrayList<>(parent.rules); } private ClpVariable(VariableState state, Collection<Constraint> rules) { this.state = state; this.rules = new ArrayList<>(rules); } List<Constraint> getConstraints() { if (child != null) { throw new IllegalStateException(); } return new ArrayList<>(rules); } void addConstraint(Constraint c) { if (child != null) { throw new IllegalStateException(); } rules.add(c); } VariableState getState() { return getTerm().state; } public ClpVariable copy() { if (child != null) { throw new IllegalStateException(); } ClpVariable copy = new ClpVariable(this); this.child = copy; return copy; } @Override public String getName() { throw new UnsupportedOperationException(); } @Override public Term[] getArgs() { throw new UnsupportedOperationException(); } @Override public int getNumberOfArguments() { return 0; } @Override public Term getArgument(int index) { throw new UnsupportedOperationException(); } @Override public TermType getType() { return getState().isSingleValue() ? TermType.INTEGER : TermType.CLP_VARIABLE; } @Override public boolean isImmutable() { return child == null && state.isSingleValue(); } @Override public ClpVariable copy(Map<Variable, Variable> sharedVariables) { ClpVariable t = getTerm(); if (t.isImmutable()) { return t; } else { // TODO is there a better alternative to throwing an exception? throw new ProjogException(TermType.CLP_VARIABLE + " does not support copy, so is not suitable for use in this scenario"); } } @Override public ClpVariable getTerm() { ClpVariable c = this; while (c.child != null) { c = c.child; } return c; } @Override public boolean unify(Term t) { return unifyClpVariable(getTerm(), t); } private static boolean unifyClpVariable(ClpVariable a, Term b) { if (a == b) { return true; } else if (b.getType() == TermType.CLP_VARIABLE) { ClpVariable other = (ClpVariable) b.getTerm(); if (a.child != null || other.child != null) { throw new IllegalStateException(); } VariableState s = VariableState.and(a.state, other.state); if (s == null) { return false; } if (s == a.state) { other.child = a; } else if (s == other.state) { a.child = other; } else { Set<Constraint> newRules = new LinkedHashSet<>(); newRules.addAll(a.rules); newRules.addAll(other.rules); ClpVariable newChild = new ClpVariable(s, newRules); a.child = newChild; other.child = newChild; } return true; } else if (b.getType() == TermType.INTEGER) { return a.unifyLong(b); } else if (b.getType() == TermType.VARIABLE) { return b.unify(a); } else { return false; } } private boolean unifyLong(Term t) { long value = castToNumeric(t).getLong(); ClpVariable copy = copy(); CoreConstraintStore environment = new CoreConstraintStore(); if (copy.setMin(environment, value) == ExpressionResult.FAILED || copy.setMax(environment, value) == ExpressionResult.FAILED) { return false; } else { return environment.resolve(); } } @Override public void backtrack() { this.child = null; } @Override public long getMin(ConstraintStore s) { return getState().getMin(); } @Override public long getMax(ConstraintStore s) { return getState().getMax(); } @Override public ExpressionResult setNot(ConstraintStore s, long not) { return s.setNot(this, not); } @Override public ExpressionResult setMin(ConstraintStore s, long min) { return s.setMin(this, min); } @Override public ExpressionResult setMax(ConstraintStore s, long max) { return s.setMax(this, max); } @Override public void walk(Consumer<Expression> r) { r.accept(this); } @Override public Expression replace(Function<Expression, Expression> f) { Expression e = f.apply(this); if (e != null) { return e; } return this; } @Override public Numeric calculate(Term[] args) { return this; } @Override public long getLong() { VariableState s = getState(); if (s.isSingleValue()) { return s.getMax(); } else { throw new ProjogException("Cannot use " + TermType.CLP_VARIABLE + " as a number as has more than one possible value: " + s); } } @Override public double getDouble() { return getLong(); } @Override public boolean equals(Object o) { if (o == this) { return true; } else if (isImmutable() && o instanceof Numeric) { Numeric n = (Numeric) o; return n.isImmutable() && n.getType() == TermType.INTEGER && state.getMax() == n.getLong(); } else { return false; } } @Override public int hashCode() { return isImmutable() ? Long.hashCode(state.getMax()) : super.hashCode(); } @Override public String toString() { return getState().toString(); } }
26.089928
133
0.625948
70bc91a4b61dd6ca227b9204d9f896f3b9946005
3,128
package org.ihtsdo.otf.traceabilityservice.rest; import io.swagger.annotations.Api; import io.swagger.annotations.ApiOperation; import org.ihtsdo.otf.traceabilityservice.migration.V2MigrationTool; import org.ihtsdo.otf.traceabilityservice.migration.V3Point1MigrationTool; import org.ihtsdo.otf.traceabilityservice.migration.V3Point2MigrationTool; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.beans.factory.annotation.Value; import org.springframework.http.HttpStatus; import org.springframework.http.MediaType; import org.springframework.web.bind.annotation.PostMapping; import org.springframework.web.bind.annotation.RequestParam; import org.springframework.web.bind.annotation.ResponseBody; import org.springframework.web.bind.annotation.RestController; import org.springframework.web.server.ResponseStatusException; @RestController("/migration") @Api(tags = "Migration", description = "Data Migration") public class MigrationController { @Autowired private V2MigrationTool v3migrationTool; @Autowired private V3Point1MigrationTool v3Point1MigrationTool; @Autowired private V3Point2MigrationTool v3Point2MigrationTool; @Value("${migration.password}") private String migrationPassword; @ApiOperation("Migrate data from V2 API to this V3 API.") @PostMapping(value = "/start", produces = MediaType.APPLICATION_JSON_VALUE) @ResponseBody public void startMigration( @RequestParam String v2Url, @RequestParam(required = false, defaultValue = "0") int startPage, @RequestParam(required = false) Integer endPage, @RequestParam String migrationPassword) { checkMigrationPassword(migrationPassword); v3migrationTool.start(v2Url, startPage, endPage); } @ApiOperation("Stop v2 to v3 migration process.") @PostMapping(value = "/stop", produces = MediaType.APPLICATION_JSON_VALUE) @ResponseBody public void stopMigration(@RequestParam String migrationPassword) { checkMigrationPassword(migrationPassword); v3migrationTool.stop(); } @ApiOperation(value = "Migrate store from 3.0.x to 3.1.x.", notes = "This automatically fills the new field 'promotionDate' based on information already in the store.") @PostMapping(value = "/start-3.1", produces = MediaType.APPLICATION_JSON_VALUE) @ResponseBody public void startThreePointOneMigration(@RequestParam String migrationPassword) { checkMigrationPassword(migrationPassword); v3Point1MigrationTool.start(); } @ApiOperation(value = "Migrate store from 3.1.x to 3.2.x.", notes = "This automatically updates 'promotionDate' and 'highestPromotedBranch' for rebase activities with content changes when they are promoted.") @PostMapping(value = "/start-3.2", produces = MediaType.APPLICATION_JSON_VALUE) @ResponseBody public void startThreePointTwoMigration(@RequestParam String migrationPassword) { checkMigrationPassword(migrationPassword); v3Point2MigrationTool.start(); } private void checkMigrationPassword(String migrationPassword) { if (!this.migrationPassword.equals(migrationPassword)) { throw new ResponseStatusException(HttpStatus.FORBIDDEN); } } }
36.8
151
0.804348
615165318503bca09ab95d6ffa3ce5fe987c9d9a
2,252
package com.fasterxml.jackson.databind.introspect; import com.fasterxml.jackson.databind.BaseMapTest; import com.fasterxml.jackson.databind.MapperFeature; import com.fasterxml.jackson.databind.ObjectMapper; import com.fasterxml.jackson.databind.exc.UnrecognizedPropertyException; public class TestInferredMutators extends BaseMapTest { public static class Point { protected int x; public int getX() { return x; } } public static class FixedPoint { protected final int x; public FixedPoint() { x = 0; } public int getX() { return x; } } /* /********************************************************** /* Unit tests /********************************************************** */ // for #190 public void testFinalFieldIgnoral() throws Exception { ObjectMapper mapper = new ObjectMapper(); // default value is 'enabled', for backwards compatibility assertTrue(mapper.isEnabled(MapperFeature.ALLOW_FINAL_FIELDS_AS_MUTATORS)); mapper = jsonMapperBuilder() .disable(MapperFeature.ALLOW_FINAL_FIELDS_AS_MUTATORS) .build(); try { /*p =*/ mapper.readValue("{\"x\":2}", FixedPoint.class); fail("Should not try to use final field"); } catch (UnrecognizedPropertyException e) { verifyException(e, "unrecognized field \"x\""); } } // for #195 public void testDeserializationInference() throws Exception { final String JSON = "{\"x\":2}"; ObjectMapper mapper = new ObjectMapper(); // First: default case, inference enabled: assertTrue(mapper.isEnabled(MapperFeature.INFER_PROPERTY_MUTATORS)); Point p = mapper.readValue(JSON, Point.class); assertEquals(2, p.x); // but without it, should fail: mapper = jsonMapperBuilder() .disable(MapperFeature.INFER_PROPERTY_MUTATORS) .build(); try { p = mapper.readValue(JSON, Point.class); fail("Should not succeeed"); } catch (UnrecognizedPropertyException e) { verifyException(e, "unrecognized field \"x\""); } } }
32.637681
83
0.58659
4b350cfe5ea31ceb4da7c077318906e028c0ce3c
3,865
package com.backusnaurparser.parser; import java.util.*; import com.backusnaurparser.helper.LanguageParseException; /** * SyntaxTree node that stores either subobjects or if it's a terminal node * (leaf) it stores a terminal String * * @author Dominik Horn * */ public class NonTerminal { /** All Subobjects in the order from left to right */ private List<NonTerminal> subObjects; /** Terminal String */ private String terminal; /** Rule name */ private String name; /** * relation to neighbor Object in the syntax-tree on the same layer ( either * " " -> linear relation [Logical AND], as in * "I come first, then my neighbor" or "|", as in * "Either me or my neighbor next" [Logical OR] */ private boolean isLinearRelation; /** * Whether or not this SyntaxObject is to be repeated ( "{}" - Backus-Naur * repeat ) */ private boolean isRepeating; /** * Whether or not this NonTerminal is optional ( "[]" - Backus-Naur optional * ) */ private boolean isOptional; /** * Constructor for NonTerminal, which only possesses a name and defaults to * having a linear, not-repeating and not-optional * * @param name * see attribute "name" */ public NonTerminal(String name) { this(name, true, false, false); } /** * Constructor for NonTerminal * * @param name * see attribute "name" * @param isLinearRelation * see attribute "isLinearRelation" * @param isRepeating * see attribute "isRepeating" * @param isOptional * see attribute "isOptional" */ public NonTerminal(String name, boolean isLinearRelation, boolean isRepeating, boolean isOptional) { this.isLinearRelation = isLinearRelation; this.isRepeating = isRepeating; this.isOptional = isOptional; this.name = name; this.terminal = ""; this.subObjects = new ArrayList<>(); } /** adds a subobject to this nonTerminal */ public void addSubobject(NonTerminal object) { if (this.isTerminal()) throw new LanguageParseException( "Can't have a nonTerminal be a terminal and have subobjects at the same time!"); this.subObjects.add(object); } public List<NonTerminal> getSubobjects() { return this.subObjects; } /** * Recursively counts how many NonTerminal Objects are beneath this object * (including this object). If called on the syntaxTree root-Node this will * give back how many NonTerminal objects there are in this tree in total * * @return */ public int getNonTerminalCount() { int objCount = 1; for (NonTerminal object : this.subObjects) objCount += object.getNonTerminalCount(); return objCount; } /** * Don't!!!! Alter this method as it is currently needed to flatten the * tree, so that finiteStateMachine can parse it! */ @Override public String toString() { String output = this.terminal.isEmpty() ? "" : "\"" + terminal + "\" "; for (NonTerminal nonTerminal : this.subObjects) output += nonTerminal.toString(); if (this.isRepeating()) output = "{ " + output + "} "; if (this.isOptional()) output = "[ " + output + "] "; if (!this.isRelationLinear()) output = output + "| "; return output; } /** * Accessors */ public String getName() { return this.name; } public boolean isRelationLinear() { return this.isLinearRelation; } public boolean isRepeating() { return this.isRepeating; } public boolean isOptional() { return this.isOptional; } public boolean isTerminal() { return !this.terminal.isEmpty(); } public String getTerminal() { return this.terminal; } public void setTerminal(String terminal) { if (this.isOptional || this.isRepeating) throw new LanguageParseException( "Can't have a nonTerminal that has any operator other than \"isLinearRelation\" set and is a terminal!"); this.terminal = terminal; } }
24.462025
110
0.677878
07287ea3d5a86ce51c7833cb6cc0569ee410826e
2,478
package csc445.missouriwestern.edu.jaunt.extensions.ui; import android.content.Context; import android.graphics.Typeface; import android.support.design.widget.TabLayout; import android.support.v4.view.PagerAdapter; import android.support.v4.view.ViewPager; import android.support.v7.widget.AppCompatTextView; import android.util.AttributeSet; import android.view.View; import android.view.ViewGroup; import android.widget.TextView; /** * Created by byan on 2/17/2018. * Borrowed from https://stackoverflow.com/questions/41073895/set-android-custom-font-on-tab-title */ public class CustomTabLayout extends TabLayout { private Typeface mTypeface; public CustomTabLayout(Context context) { super(context); init(); } public CustomTabLayout(Context context, AttributeSet attrs) { super(context, attrs); init(); } public CustomTabLayout(Context context, AttributeSet attrs, int defStyleAttr) { super(context, attrs, defStyleAttr); init(); } private void init() { // here you will provide fully qualified path for fonts mTypeface = Typeface.createFromAsset(getContext().getAssets(), "fonts/AvenirNextCondensed-Regular.ttf"); } @Override public void addTab(Tab tab) { super.addTab(tab); ViewGroup mainView = (ViewGroup) getChildAt(0); ViewGroup tabView = (ViewGroup) mainView.getChildAt(tab.getPosition()); int tabChildCount = tabView.getChildCount(); for (int i = 0; i < tabChildCount; i++) { View tabViewChild = tabView.getChildAt(i); if (tabViewChild instanceof TextView) { ((TextView) tabViewChild).setTypeface(mTypeface, Typeface.NORMAL); } } } @Override public void setupWithViewPager(ViewPager viewPager) { super.setupWithViewPager(viewPager); if (mTypeface != null) { this.removeAllTabs(); ViewGroup slidingTabStrip = (ViewGroup) getChildAt(0); PagerAdapter adapter = viewPager.getAdapter(); for (int i = 0, count = adapter.getCount(); i < count; i++) { Tab tab = this.newTab(); this.addTab(tab.setText(adapter.getPageTitle(i))); AppCompatTextView view = (AppCompatTextView) ((ViewGroup) slidingTabStrip.getChildAt(i)).getChildAt(1); view.setTypeface(mTypeface, Typeface.NORMAL); } } } }
32.181818
119
0.658596
5309014bca9df3f6ae7c1089801aa3201a8419ec
324
package com.brand.blockus.content; import com.brand.blockus.blocks.CirclePavementBlock; public class PrismarineRelated { public static CirclePavementBlock PRISMARINE_CIRCLE_PAVEMENT; public static void init() { PRISMARINE_CIRCLE_PAVEMENT = new CirclePavementBlock("prismarine_circle_pavement", 1.5f, 1.2f); } }
21.6
96
0.802469
b2bb38a344c9669361238a8b4885b4ecb3054d3a
4,573
//package com.boot.mybatis.datascope; // //import cn.hutool.log.StaticLog; //import com.baomidou.mybatisplus.extension.plugins.handler.DataPermissionHandler; //import com.boot.admin.common.pojo.DataScope; //import com.boot.admin.common.util.StrUtil; //import com.boot.admin.core.util.SecurityUtils; //import lombok.SneakyThrows; //import net.sf.jsqlparser.expression.Expression; //import net.sf.jsqlparser.expression.StringValue; //import net.sf.jsqlparser.expression.operators.conditional.AndExpression; //import net.sf.jsqlparser.expression.operators.relational.ExpressionList; //import net.sf.jsqlparser.expression.operators.relational.InExpression; //import net.sf.jsqlparser.expression.operators.relational.ItemsList; //import net.sf.jsqlparser.schema.Column; // //import java.util.List; //import java.util.Set; //import java.util.stream.Collectors; // //public class MyDataPermissionHandler implements DataPermissionHandler { // // /** // * @param where 原SQL Where 条件表达式 // * @param mappedStatementId Mapper接口方法ID // * @return // */ // @SneakyThrows // @Override // public Expression getSqlSegment(Expression where, String mappedStatementId) { // StaticLog.info("=========================== start MyDataPermissionHandler"); // DataScope dataScope = null; // //未登录情况下 // try { // dataScope = SecurityUtils.getCurrentUserDataScope(); // } catch (Exception e) { // } // if (dataScope == null || dataScope.isAll()) { // return where; // } // String scopeName = "id"; // String testId = "com.boot.admin.system.modules.system.mapper.DeptMapper.selectList"; // Set<Long> deptIds = dataScope.getDeptIds(); // List<Expression> expressions = deptIds.stream().map(deptId -> new StringValue(String.valueOf(deptId))).collect(Collectors.toList()); // if (StrUtil.equals(mappedStatementId, testId)) { // ItemsList itemsList = new ExpressionList(expressions); // InExpression inExpression = new InExpression(new Column(scopeName), itemsList); // where = new AndExpression(where, inExpression); // } // return where; // // 1. 模拟获取登录用户,从用户信息中获取部门ID //// Random random = new Random(); //// int userDeptId = random.nextInt(9) + 1; // 随机部门ID 1-10 随机数 //// Expression expression = null; //// log.info("=============== userDeptId:{}", userDeptId); //// if (userDeptId == DeptEnum.BOOS.getType()) { //// // 2.userDeptId为1,说明是老总,可查看所有数据无需处理 //// return where; //// //// } else if (userDeptId == DeptEnum.MANAGER_02.getType()) { //// // 3. userDeptId为2,说明是02部门经理,可查看02部门及下属部门所有数据 //// // 创建IN 表达式 //// Set<String> deptIds = Sets.newLinkedHashSet(); // 创建IN范围的元素集合 //// deptIds.add("2"); //// deptIds.add("3"); //// deptIds.add("4"); //// deptIds.add("5"); //// ItemsList itemsList = new ExpressionList(deptIds.stream().map(StringValue::new).collect(Collectors.toList())); // 把集合转变为JSQLParser需要的元素列表 //// InExpression inExpression = new InExpression(new Column("order_tbl.dept_id"), itemsList); // order_tbl.dept_id IN ('2', '3', '4', '5') //// return new AndExpression(where, inExpression); //// } else if (userDeptId == DeptEnum.MANAGER_06.getType()) { //// // 4. userDeptId为6,说明是06部门经理,可查看06部门及下属部门所有数据 //// // 创建IN 表达式 //// Set<String> deptIds = Sets.newLinkedHashSet(); // 创建IN范围的元素集合 //// deptIds.add("6"); //// deptIds.add("7"); //// deptIds.add("8"); //// deptIds.add("9"); //// ItemsList itemsList = new ExpressionList(deptIds.stream().map(StringValue::new).collect(Collectors.toList())); // 把集合转变为JSQLParser需要的元素列表 //// InExpression inExpression = new InExpression(new Column("order_tbl.dept_id"), itemsList); //// return new AndExpression(where, inExpression); //// } else { //// // 5. userDeptId为其他时,表示为员工级别没有下属机构,只能查看当前部门的数据 //// // = 表达式 //// EqualsTo equalsTo = new EqualsTo(); // order_tbl.dept_id = userDeptId //// equalsTo.setLeftExpression(new Column("order_tbl.dept_id")); //// equalsTo.setRightExpression(new LongValue(userDeptId)); //// // 创建 AND 表达式 拼接Where 和 = 表达式 //// return new AndExpression(where, equalsTo); // WHERE user_id = 2 AND order_tbl.dept_id = 3 //// } // } //}
49.172043
153
0.614914
2edcca8e56e678024b1d661d27300f8f87b1b572
4,133
/** * Copyright (c) 2012, University of Konstanz, Distributed Systems Group All rights reserved. * * Redistribution and use in source and binary forms, with or without modification, are permitted provided that the * following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of * conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, * this list of conditions and the following disclaimer in the documentation and/or other materials provided with the * distribution. * Neither the name of the University of Konstanz nor the names of its contributors may be used to * endorse or promote products derived from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, * INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE * DISCLAIMED. IN NO EVENT SHALL <COPYRIGHT HOLDER> BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, * OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, * STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, * EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ package org.jscsi.parser.datasegment; import java.nio.ByteBuffer; /** * <h1>BinaryDataSegment</h1> * <p> * This class represents a binary data segment, which is attached by several <code>ProtocolDataUnit</code> objects. * * @author Volker Wildi */ final class BinaryDataSegment extends AbstractDataSegment { // -------------------------------------------------------------------------- // -------------------------------------------------------------------------- /** * Constructor to create a new, empty <code>BinaryDataSegment</code> object with the given chunk size. * * @param chunkSize The maximum number of bytes of a chunk. */ public BinaryDataSegment (final int chunkSize) { super(chunkSize); } // -------------------------------------------------------------------------- // -------------------------------------------------------------------------- /** {@inheritDoc} */ public final int deserialize (final ByteBuffer src, final int len) { resizeBuffer(src.remaining(), false); dataBuffer.rewind(); transferBytes(src, dataBuffer, len); return dataBuffer.limit(); } /** {@inheritDoc} */ public final int append (final ByteBuffer src, final int len) { if (src == null) { throw new NullPointerException(); } dataBuffer.position(length); resizeBuffer(length + len, true); transferBytes(src, dataBuffer, len); return dataBuffer.limit(); } // -------------------------------------------------------------------------- // -------------------------------------------------------------------------- private final void transferBytes (final ByteBuffer src, final ByteBuffer dst, final int len) { if (dst.remaining() < len) { throw new IllegalArgumentException("The given length must be less or equal than the remaining bytes in the destination buffer."); } for (int i = 0; i < len; i++) { if (src.hasRemaining() && dst.hasRemaining()) { dst.put(src.get()); } else { throw new RuntimeException("Error by transferring the bytes in this data segment."); } } } // -------------------------------------------------------------------------- // -------------------------------------------------------------------------- // -------------------------------------------------------------------------- // -------------------------------------------------------------------------- }
43.505263
168
0.563513
3227ddcc450f08fc1d9b21b6c4d9bb0d5b7ed703
604
package de.diedavids.jmix.wizard.example.entity; import io.jmix.core.metamodel.datatype.impl.EnumClass; import javax.annotation.Nullable; public enum Salutation implements EnumClass<String> { MR("MR"), MRS("MRS"); private String id; Salutation(String value) { this.id = value; } public String getId() { return id; } @Nullable public static Salutation fromId(String id) { for (Salutation at : Salutation.values()) { if (at.getId().equals(id)) { return at; } } return null; } }
18.875
54
0.584437
517be131844dacba6b645c4c8ca68c54c4e755d1
73,474
package gms.shared.utilities.geotess.util.numerical.matrixblock; import static gms.shared.utilities.geotess.util.globals.Globals.NL; import gms.shared.utilities.geotess.util.filebuffer.FileInputBuffer; import gms.shared.utilities.geotess.util.filebuffer.FileOutputBuffer; import gms.shared.utilities.geotess.util.globals.Globals; import java.io.File; import java.io.IOException; import java.io.Serializable; import java.util.HashMap; import java.util.HashSet; import java.util.Map; import java.util.Set; import java.util.TreeMap; /** * Defines a square matrix as a set of square blocks used by the Out-Of-Core * (OOC) Cholesky decomposition and inversion object LSINV. This object * maintains the definition and is used by applications and the MatrixBlock * object to manage a decomposed matrix. * * The matrix definition decomposes a symmetric lower triangular matrix into a * set of blocks each with a subset of rows and columns from the original * matrix. The blocks are further decomposed into a set of sub-blocks, which * contain the matrix elements. The numbers of each within each sub-entity is * given by the following decomposition matrix. * * Entries/Entries Matrix Block Sub-Block Elements * * Matrix 1 nmb nmsb nme * Block nmb 1 nbsb nbe * Sub-Block nmsb nbsb 1 nsbe * Elements nme nbe nsbe 1 * * where * * nmb = number of block rows in a matrix * nmsb = number of sub-block rows in a matrix * nme = number of element rows in a matrix * * nbsb = number of sub-block rows in a block * nbe = number of element rows in a block * * nsbe = number of element rows in a sub-block * * Given these definitions the total number of elements in the lower triangular * matrix is given by * * nme * (nme + 1) / 2 * * If nmb is an integral divisor of nme then * * nme = nmb * nbe * * However, for an arbitrary matrix size (which cannot generally be controlled) * we find that nmb is rarely an integral divisor of nme. In that case the last * block usually has fewer element rows than all other blocks * * nbeLast = nme - (nmb - 1) * nbe = nme % nbe * nmb = ceil(nme / nbe) * * The number of total blocks in the matrix is given by * * nmb * (nmb + 1) / 2 * * where the last row (block[nmb-1][j]) may have fewer rows (nbeLast). * * Unfortunately, while it is desirable to make blocks as large as possible so * as to minimize the number of times that they need to be read, it has the * opposite impact on in-core numerical performance because of CPU cache * limitations. Large blocks do not cache well. Instead it is desirable to * decompose blocks into sub-blocks where the sub-block size is chosen so that * cache issues are alleviated or removed and numerical throughput is maximized. * So, besides decomposing the matrix into blocks we also decompose the blocks * into sub-blocks. * * Like the case for matrix element rows in a block we require that all * previous blocks have exactly the same number of sub-blocks defining them * (with the exception of the last block which may have fewer). This means that * * nbe = nbsb * nsbe * * exactly. Of course, as was the case for the last block containing possibly * fewer elements than the previous blocks, so to the last block may contain * fewer sub-blocks than the previous blocks. Also, The last sub-block of the * last block may have fewer element rows than all other sub-blocks in the last * block and all other previous blocks. If we define the total number of * sub-blocks in the matrix (as opposed to the number in a single block) we have * * nmsb = ceil(nme / nsbe) * * and the last sub-block has an element count of * * nsbeLast = nme - (nmsb - 1) * nsbe = nme % nsbe * * From this we find that the number of sub-blocks in the last block is * * nbsbLast = nmsb - (nmb - 1) * nbsb = nmsb % nbsb * * With these definitions one will find the following identities with the * source code attributes given below * * nme = aNumMtrxElemRows * nbe = aNumBlkElemRows * nsbe = aNumSubBlkElemRows * nmb = aNumMtrxBlkRows * nmsb = aNumMtrxSubBlkRows * nbsb = aNumBlkSubBlkRows * nbeLast = aLastBlkElemRows * nbsbLast = aLastBlkSubBlkRows * nsbeLast = aLastSubBlkElemRows * * This object allows for the reformulation of the sub-block structure into * as many different sub-block size and block sub-block discretizations as are * possible given the fixed block size (nbe). So, any integer multiple of nbe * can be a valid sub-block size and corresponding block sub-block count. All * that is required is * * nbe = nbsb * nsbe * * as was defined earlier. So valid sub-block sizes (nsbe) range from 1 to nbe * inclusive as long as nbe % nsbe = 0. * * This object can be created with one of three constructors. The first inputs * nme and nbe and assumes a default value for nsbe (256). The value for nbe * is only a guess and the constructor will find the closest value to the input * nbe such that the number of sub-block elements (nsbe) and the number of block * sub-blocks is integral with the number of block elements (nbe = nbsb * nsbe * from above). The actual value assigned to nbe will never be less than the * input value minus nsbe-1. * * The second constructor allows nsbe to be defined but nbe is still a guess * relative to the matrix size and the input value of nsbe. The value of nsbe * used to construct the block discretization is referred to as the basis sub- * block size. It is guaranteed to be a valid sub-block size. The valid sub- * block size being used at any point is referred to as the current sub-block * size. * * Finally, the third constructor reads the definition from disk. After a * MatrixBlockDefinition is constructed it can be written to disk. * * In addition to construction, read, and write functionality, this object can * dump it self to a console for review. The overridden toString() function * performs one of these services but there are several more. * * Lastly, this object provides a large set of getters to obtain all of the * information described above using externally defined sub-blocks sizes or * or the internal settings (aCurrSubBlkSize). Also the basis settings * (aCurrSubBlkSize == aNumSubBlkElemRows) can be returned. * * Functional Outline: * * static bestSize(nme, nsbe, nbeMax, nmbMin, nmbMax, maxBestSolns) * static showSize(nme, nbe, nsbe) * * MatrixBlockDefinition(nme, nbe) * MatrixBlockDefinition(nme, nbe, nsbe) * MatrixBlockDefinition(filepath) * * size() * * blocks() * blockSize() * blockSubBlocks(size) * blockSubBlocks() * blockSubBlocksBasis() * blockElementRow(matrixElementRow) * blockRow(matrixElementRow) * blockRowPlust1(matrixElementRow) * blockSubBlockElementRow(blockElementRow, size) * blockSubBlockElementRow(blockElementRow) * blockSubBlockElementRowBasis(blockElementRow) * blockSubBlockRow(blockElementRow, size) * blockSubBlockRow(blockElementRow) * blockSubBlockRow(blockElementRow) * blockSubBlockRowFromMatrixRow(mtrxElemRow, size) * blockSubBlockRowFromMatrixRow(mtrxElemRow) * blockSubBlockRowFromMatrixRowBasis(mtrxElemRow) * * subBlocks(size) * subBlocks() * subBlocksBasis() * subBlockSize(size) * subBlockSize() * subBlockSizeBasis() * subBlockRow(mtrxElemRow, size) * subBlockRow(mtrxElemRow) * subBlockRowBasis(mtrxElemRow) * subBlockElementRow(matrixElementRow, size) * subBlockElementRow(matrixElementRow) * subBlockElementRowBasis(matrixElementRow) * * getBlockElementRows(blockRow) * * getBlockSubBlockElementRows(block, subblock, size) * getBlockSubBlockElementRows(block, subblock) * getBlockSubBlockElementRowsBasis(block, subblock) * getBlockSubBlockRows(block, size) * getBlockSubBlockRows(block) * getBlockSubBlockRowsBasis(block) * * getLastBlockElementRows() * getLastBlockIndex() * getLastBlockSubBlockRows() * getLastBlockSubBlockRows(size) * getLastBlockSubBlockRows() * getLastBlockSubBlockRowsBasis() * * getLastSubBlockElementRows(size) * getLastSubBlockElementRows() * getLastSubBlockElementRowsBasis() * getLastSubBlockIndex(size) * getLastSubBlockIndex() * getLastSubBlockIndexBasis() * * isSubBlockSizeValid(size) * resetSubBlockSize() * setNewSubBlockSize(size) * setSubBlockSizeToBlockSize() * * showAllDefinitions() * showBasisDefinition() * showCurrentDefinition() * showDefinition(size) * toString() * * read(filepath) * write(filepath) * * symmMatrixBlockCount() * symmMatrixElementCount() * symmMatrixSubBlockCount(size) * symmMatrixSubBlockCount() * symmMatrixSubBlockCountBasis() * * memoryStorage() * * Lastly, in addition to all of the above public functionality, this object * supports an observer pattern. So that all observers (MatrixBlock objects) * associated with this MatrixBlockDefinition (the subject) change their * sub-block size when any of following three functions are called * * setNewSubBlockSize(size); * setSubBlockSizeToBlockSize(); * resetSubBlockSize(); * * If the call results in a new current sub-block size then all observers * will automatically change their sub-block size to the new size. * * @author jrhipp * */ @SuppressWarnings("serial") public class MatrixBlockDefinition implements Serializable { /** * The number of matrix element rows (the matrix size). */ private int aNumMtrxElemRows = 0; /** * The number of block element rows (the block size). */ private int aNumBlkElemRows = 0; /** * The basis number of sub-block rows (the sub-block size). The actual number * returned is a function of aN and aSubDivide. Changing aN and/or aSubDivide * to other than default values (1, true) will produce sub-block subdivision * or merger which increases or decreases the number of sub-block element rows * accordingly. */ private int aNumSubBlkElemRows = 256; /** * The number of matrix sub-block rows. The actual number returned is a * function of aN and aSubDivide. Changing aN and/or aSubDivide to other than * default values (1, true) will produce sub-block subdivision or merger * which increases or decreases the number of sub-block element rows * accordingly. */ private int aNumMtrxSubBlkRows = 0; /** * The number of block sub-block rows. The actual number returned is a * function of aN and aSubDivide. Changing aN and/or aSubDivide to other than * default values (1, true) will produce sub-block subdivision or merger * which decreases or increases the number of sub-block element rows * accordingly. */ private int aNumBlkSubBlkRows = 0; /** * The number of matrix block rows. */ private int aNumMtrxBlkRows = 0; /** * The number of element rows in the last block. */ private int aLastBlkElemRows = 0; /** * The number of element rows in the last sub-block. The actual number * returned is a function of aN and aSubDivide. Changing aN and/or aSubDivide * to other than default values (1, true) will produce sub-block subdivision * or merger which increases or decreases the number of sub-block element rows * accordingly. */ private int aLastSubBlkElemRows = 0; /** * The number of sub-blocks in the last block. The actual number returned is a * function of aN and aSubDivide. Changing aN and/or aSubDivide to other than * default values (1, true) will produce sub-block subdivision or merger * which decreases or increases the number of sub-block element rows * accordingly. */ private int aLastBlkSubBlkRows = 0; /** * The last block index. */ private int aLastBlkIndx = 0; /** * The last block sub-block index. The actual number returned is a function * of aN and aSubDivide. Changing aN and/or aSubDivide to other than default * values (1, true) will produce sub-block subdivision or merger which * increases or decreases the number of sub-block element rows accordingly. */ private int aLastSubBlkIndx = 0; /** * Current sub-block size setting. Defaults to aNumSubBlkElemRows. Can be * any value between 1 and aNumBlkElemRows that is an integral multiple of * aNumBlkElemRows (i.e. aNumBlkElemRows % aCurrSubBlockSize = 0). */ private int aCurrSubBlkSize = 0; /** * The set of all currently registered MatrixBlocks (their sub-block matrix * is instantiated). */ private transient HashSet<MatrixBlock> aBlkObsrvrs = null; /** * Builds a new matrix definition with the input matrix size and requested * block size. Note that the actual block element row count will be defined * so that an integral number of sub-blocks, based on the sub-block element * row count, will fit within it. The actual block size will be equal to or * less than the input request but no more less than the number of sub-block * element rows - 1. This constructor assumes the default size for the number * of sub-block element rows (256). * * @param mtrxElemRows The matrix size. * @param blkElemRows The requested block size. */ public MatrixBlockDefinition(int mtrxElemRows, int blkElemRows) { setBlockInfo(mtrxElemRows, blkElemRows); } /** * Builds a new matrix definition with the input matrix size, requested * block size, and input sub-block size. Note that the actual block element * row count will be defined so that an integral number of sub-blocks (whose * size = subBlkElemRows) will fit within it. The actual block size will be * equal to or less than the input request but no more less than * subBlkElemRows - 1. * * @param mtrxElemRows The matrix size. * @param blkElemRows The requested block size. * @param subBlkElemRows The sub-block size. */ public MatrixBlockDefinition(int mtrxElemRows, int blkElemRows, int subBlkElemRows) { aNumSubBlkElemRows = subBlkElemRows; setBlockInfo(mtrxElemRows, blkElemRows); } /** * Creates a new MatrixBlockInfo object from the file definition contained * in the file at fPath. * * @param fPath The file that contains the new definition for this * MatrixBlockInfo object. * * @throws IOException */ public MatrixBlockDefinition(String fPath) throws IOException { read(fPath); } /** * @param args array of three integers * [0] Matrix size (rows). * [1] Block size (rows). * [2] Sub-block size (rows). */ public static void main(String[] args) { if (args.length == 3) MatrixBlockDefinition.showSize(Integer.valueOf(args[0]), Integer.valueOf(args[1]), Integer.valueOf(args[2])); else System.out.println("Call requires three arguments " + "(matrix size, block size, sub-block size) ..."); } /** * Called by a MatrixBlock that is owned by this MatrixBlockDefinition object * when it instantiates it's internal sub-block matrix. This will make it * aware of any changes to the sub-block size parameters aN and aSubDivide. * * @param mb The MatrixBlock wishing to observe this MatrixBlockDefinition for * changes in the sub-block size parameters aN and aSubDivide. */ protected void addObserver(MatrixBlock mb) { if (aBlkObsrvrs != null) { synchronized (aBlkObsrvrs) {aBlkObsrvrs.add(mb);} } } /** * Called by a MatrixBlock that is owned by this MatrixBlockDefinition object * when it nullifies it's internal sub-block matrix. This removes the * MatrixBlock from any sub-block size parameter change events. * * @param mb The MatrixBlock wishing to observe this MatrixBlockDefinition for * changes in the sub-block size parameters aN and aSubDivide. */ protected void removeObserver(MatrixBlock mb) { if (aBlkObsrvrs != null) { synchronized (aBlkObsrvrs) {aBlkObsrvrs.remove(mb);} } } /** * A utility function for determining if a desired sub-block subdivision or * merger request is valid or not. The changeSubBlockSize(...) function takes * the same arguments and actually performs the change. If, however, the * inputs are invalid it will throw an IOException. This function simply * returns true if they are valid and false otherwise. * * @param subDivide The subdivision/merger flag setting to be tested. * @param n The subdivision/merger size factor to be tested. * @return True if the inputs are valid ... false otherwise. */ public boolean isSubBlockSizeValid(int sbsize) { if ((sbsize < 1) || (sbsize > aNumBlkElemRows)) return false; if (aNumBlkElemRows % sbsize != 0) return false; return true; } /** * Returns an estimate of the memory size of this MatrixBlockDefinition * object. * * @return An estimate of the memory size of this MatrixBlockDefinition * object. */ public long memoryEstimate() { long mem = 12 * Integer.SIZE / 8; if (aBlkObsrvrs != null) { synchronized (aBlkObsrvrs) {mem += 8 * (aBlkObsrvrs.size() + 1);} } return mem; } /** * Resets the sub-block size parameters back to default settings. This * function also calls any registered MatrixBlocks to notify them of the * size change. */ public void resetSubBlockSize() { aCurrSubBlkSize = aNumSubBlkElemRows; changeSubBlockSize(); } /** * Sets the sub-block size parameters equal to the block size. This defines * a single sub-block that contains the entire block. This function also * calls any registered MatrixBlocks to notify them of the size change. */ public void setSubBlockSizeToBlockSize() { aCurrSubBlkSize = aNumBlkElemRows; changeSubBlockSize(); } /** * This function changes the sub-block size given the input parameter values. * If the inputs are an invalid combination then an IOException is thrown. * Otherwise, the parameters are accepted and all registered MatrixBlocks are * notified of the change. * * @param subDivide The new subdivision/merger flag setting. * @param n The new subdivision/merger size factor. * @throws IOException */ public void setNewSubBlockSize(int sbsize) throws IOException { // throw error if request is out-of-range or not an integral multiple of the // sub-block element row size or block element row size. if ((sbsize < 1) || (sbsize > aNumBlkElemRows)) { // sub-block size request is invalid ... size must be between 1 and // number of block element rows inclusive ... throw error String s = "Error: Sub-Block size must be between 1 and " + aNumBlkElemRows + " inclusive ..."; throw new IOException(s); } if (aNumBlkElemRows % sbsize != 0) { // sub-block size request is invalid ... size must be an integral multiple // of block element rows ... throw error String s = "Error: Sub-Block size request (" + sbsize + ") is not an integral multiplier of the basis " + "block element row count (" + aNumBlkElemRows + ") ..."; throw new IOException(s); } // valid request ... set new size and notify all observing matrix // blocks of the new state. aCurrSubBlkSize = sbsize; changeSubBlockSize(); } /** * Sets the new sub-block size and notifies all registered MatrixBlock * objects. * * @param subDivide The new subdivision/merge flag. * @param n The new sub-block expansion/shrinkage factor. */ private synchronized void changeSubBlockSize() { if (aBlkObsrvrs != null) { synchronized (aBlkObsrvrs) { for (MatrixBlock mb: aBlkObsrvrs) mb.changeSubBlockSize(); } } } /** * Returns the matrix size (element rows/columns square of the entire matrix). * * @return The matrix size (element rows/columns square of the entire matrix). */ public int size() { return aNumMtrxElemRows; } /** * Returns the block size (element rows/columns square of one matrix block). * * @return The block size (element rows/columns square of one matrix block). */ public int blockSize() { return aNumBlkElemRows; } /** * Returns the number of blocks (block rows/columns square). * * @return The number of blocks (block rows/columns square). */ public int blocks() { return aNumMtrxBlkRows; } /** * Returns the total number of defined elements in the symmetric square matrix. * * @return The total number of defined elements in the symmetric square matrix. */ public long symmMatrixElementCount() { return (long) aNumMtrxElemRows * (aNumMtrxElemRows + 1) / 2; } /** * Returns the total number of defined blocks in the symmetric square matrix. * * @return The total number of defined blocks in the symmetric square matrix. */ public int symmMatrixBlockCount() { return aNumMtrxBlkRows * (aNumMtrxBlkRows + 1) / 2; } /** * Returns the total memory storage in bytes on disk for this blocked * matrix. * * @return The total memory storage in bytes on disk for this blocked * matrix. */ public long memoryStorage() { long mem = 4 * aNumMtrxElemRows * (aNumMtrxElemRows + 1); return mem; } /** * Returns the size of a block in core memory ... always square. * * @return The size of a block in core memory ... always square. */ public long coreMemoryStorage() { return 8 * aLastBlkElemRows * aNumBlkElemRows; } /** * Returns the actual number of bytes read or written to disk for a block * defined by this definition. * * @param row The block row. * @param col The block column. * @return The actual number of bytes read or written to disk for this block. */ public long getBlockIOMemory(int row, int col) { if (row == aNumBlkElemRows - 1) { if (row == col) return 4 * aLastBlkElemRows * (aLastBlkElemRows + 1); else return 8 * aLastBlkElemRows * aNumBlkElemRows; } else { if (row == col) return 4 * aNumBlkElemRows * (aNumBlkElemRows + 1); else return 8 * aNumBlkElemRows * aNumBlkElemRows; } } /** * Returns the default file name specification. * * @return The default file name specification. */ public static String getDefaultFileName() { return "matrixdefn"; } /** * Returns the default path/file name specification given the input path. * * @param pth The input path onto which the default file name will be * appended and returned. * @return The default path/file name specification given the input path. */ public static String getDefaultPathFileName(String pth) { return pth + File.separator + "matrixdefn"; } /** * Reads this MatrixBlockInfo object from the file fPath. * * @param fPath The file path/name containing the MatrixBlockInfo data * that will be used to define this MatrixBlockInfo object. * * @throws IOException */ public void read(String fPath) throws IOException { FileInputBuffer fib = new FileInputBuffer(fPath); int nme = fib.readInt(); int nbe = fib.readInt(); int nsbe = fib.readInt(); int curSBS = fib.readInt(); fib.close(); aNumSubBlkElemRows = nsbe; setBlockInfo(nme, nbe); aCurrSubBlkSize = curSBS; } /** * Writes this MatrixBlockInfo object to the file fPath. * * @param fPath The file path/name that will contain this MatrixBlockInfo * objects data. * @throws IOException */ public void write(String fPath) throws IOException { FileOutputBuffer fob = new FileOutputBuffer(fPath); fob.writeInt(aNumMtrxElemRows); // nme fob.writeInt(aNumBlkElemRows); // nme fob.writeInt(aNumSubBlkElemRows); // nsbe fob.writeInt(aCurrSubBlkSize); // nsbeCurr fob.close(); } /** * Returns the number of element rows in the last block. This value will be * equal to or less than the standard number of block element rows * (aNumBlkElemRows). * * @return The number of element rows in the last block. */ public int getLastBlockElementRows() { return aLastBlkElemRows; } /** * Returns the number of element rows in the input block. If blk is less than * the last block index then aNumBlkElemRows is returned. If blk is the last * block index then aLastBlkElemRows is returned. * * @param blk The input block index for which the number of element rows is * returned. * @return The number of element rows in the input block. */ public int getBlockElementRows(int blk) { if (blk == aLastBlkIndx) return aLastBlkElemRows; else return aNumBlkElemRows; } /** * Returns the last block index. * * @return The last block index. */ public int getLastBlockIndex() { return aLastBlkIndx; } /** * Returns the block row index containing the input matrix element row index. * If the input matrix element row index exceeds the number of entries * (aNumMtrxElemRows) then the last valid block index + 1 is returned. * * @param mtrxElemRow The matrix element row index for which the corresponding * block row index will be returned. Valid values are any * number => 0. * @return The block row index containing the input matrix element row index. * If the input matrix element row index exceeds the number of entries * (aNumMtrxElemRows) then the last valid block index + 1 is returned. */ public int blockRowPlus1(int mtrxElemRow) { if (mtrxElemRow >= aNumMtrxElemRows) return aNumMtrxBlkRows; else return mtrxElemRow / aNumBlkElemRows; } /** * Returns the block row index containing the input matrix element row index. * * @param mtrxElemRow The matrix element row index for which the corresponding * block row index will be returned. Valid values range * from 0 to aNumMtrxElemRows - 1. * @return The block row index containing the input matrix element row index. */ public int blockRow(int mtrxElemRow) { return mtrxElemRow / aNumBlkElemRows; } /** * Returns the block element offset row index containing the input matrix * element row index. * * @param mtrxElemRow The matrix element row index for which the corresponding * block element offset row index will be returned. Valid * values range from 0 to aNumMtrxElemRows - 1. * @return The block element offset row index containing the input matrix * element row index. */ public int blockElementRow(int mtrxElemRow) { return mtrxElemRow % aNumBlkElemRows; } /** * Defines this MatrixBlockInfo object given an input matrix size (square) * and the number of rows/columns in each block (the block size). * * @param size The total number of rows/columns in a square matrix. * @param blksize The total number of rows/columns in a square block of a * matrix (blksize <= size). */ private void setBlockInfo(int mtrxElemRows, int blkElemRows) { // nme aNumMtrxElemRows = mtrxElemRows; // nbsb aNumBlkSubBlkRows = blkElemRows / aNumSubBlkElemRows; // nbe aNumBlkElemRows = aNumSubBlkElemRows * aNumBlkSubBlkRows; // nmsb aNumMtrxSubBlkRows = (int) Math.ceil((double) aNumMtrxElemRows / aNumSubBlkElemRows); // nbsb * nmb - nmsb >= 0 --> nmb >= nmsb/nbsb aNumMtrxBlkRows = aNumMtrxSubBlkRows / aNumBlkSubBlkRows; if (aNumMtrxBlkRows * aNumBlkSubBlkRows < aNumMtrxSubBlkRows) ++aNumMtrxBlkRows; // for speed save the last block index, the last block sub-block row count, // and the last block total element row count //nbsb' = nmsb - (nmb - 1)*nbsb aLastBlkIndx = aNumMtrxBlkRows - 1; aLastBlkSubBlkRows = aNumMtrxSubBlkRows - (aNumMtrxBlkRows - 1) * aNumBlkSubBlkRows; //nbe' = nme - (nmb - 1)*nbe aLastBlkElemRows = aNumMtrxElemRows - (aNumMtrxBlkRows - 1) * aNumBlkElemRows; // also save the last sub-block index (of the last block) and the last // sub-block element row count //nsbe' = nme - (nmsb - 1)*nsbe aLastSubBlkIndx = aLastBlkSubBlkRows - 1; aLastSubBlkElemRows = aNumMtrxElemRows - (aNumMtrxSubBlkRows - 1) * aNumSubBlkElemRows; // define observer set and exit aBlkObsrvrs = new HashSet<MatrixBlock>(); aCurrSubBlkSize = aNumSubBlkElemRows; } /** * Called by task IOMIFactory objects to ensure that the MatrixBlockDefintion * creates these transient objects which are lost in the serialization * process. */ public void setBlockObserversOn() { if (aBlkObsrvrs == null) aBlkObsrvrs = new HashSet<MatrixBlock>(); } /** * Called by task IOMIFactory objects to ensure that the MatrixBlockDefintion * creates these transient objects which are lost in the serialization * process. */ public void setBlockObserversOff() { if (aBlkObsrvrs != null) aBlkObsrvrs = null; } /** * Overrides toString() to show all valid definitions for this * MatrixBlockDefinition object. */ @Override public String toString() { return showAllDefinitions(""); } /** * Shows all valid definitions for this MatrixBlockDefinition object. */ public String showAllDefinitions(String hdr) { return showDefinition(hdr, -1); } /** * Shows the basis sub-block definitin for this MatrixBlockDefinition object. */ public String showBasisDefinition(String hdr) { return showDefinition(hdr, aNumSubBlkElemRows); } /** * Shows the current sub-block definitin for this MatrixBlockDefinition object. */ public String showCurrentDefinition(String hdr) { return showDefinition(hdr, aCurrSubBlkSize); } /** * Outputs this MatrixBlockDefinition as descriptive string for the input * sub-block size request (subBlkSize). If subBlkSize = -1 all valid sub-block * sizes are output using the following prescription: * * Matrix, Block, Sub-Block Discretization Definitions: * * Matrix Element * Row Count {nme} = ###,### * Total Entries {nme*(nme+1)/2} = ###,###,###,### * Storage (GB) = #,###.## * * Block Element * Row Count {nbe} = #,### * Total Entries {nbe*nbe} = ###,###,### * Storage (MB) = #,###.## * Last Row Count {nbeLast} = #,### * Last Fill Fraction (%) = ###.## * * Matrix Block * Row Count {nmb} = ### * Total Entries {nmb*(nmb+1)/2} = #,### * * Valid Sub-Block Table * * B = Basis Sub-Block Size * C = Current Sub-Block Size * * Sub-Block Element | Block Sub-Block | Matrix Sub-Block * | | * Last Last | Last Last | * Row Total Row Fill | Row Total Row File | Row Total * count Entries Storage Count Frctn | Count Entries Count Frctn | Count Entries * (nsbe) (nsbe*nsbe) (KB) (nsbeLast) (%) | (nbsb) (nbsb*nbsb) (nbsbLast) (%) | (nmsb) (nmsb*(nmsb+1)/2) * ------------------------------------------------------------------------------------------------------------------ * #,### ###,###,### ###,###.## #,### ###.## #,### ###,###,### #,### ###.## #,### ###, ###,###,### * ... * * If a specific valid sub-block size is requested the following output * prescription is used: * * Matrix, Block, Sub-Block Discretization Definition: * * Matrix Element * Row Count {nme} = ###,### * Total Entries {nme*(nme+1)/2} = ###,###,###,### * Storage (GB) = #,###.## * * Block Element * Row Count {nbe} = #,### * Total Entries {nbe*nbe} = ###,###,### * Storage (MB) = #,###.## * Last Row Count {nbeLast} = #,### * Last Fill Fraction (%) = ###.## * * Sub-Block Element * Row Count {nsbe} = #,### * Total Entries {nsbe*nsbe} = ###,###,### * Storage (KB) = #,###.## * Last Row Count {nsbeLast} = #,### * Last Fill Fraction (%) = ###.## * * Matrix Sub-Block * Row Count {nmsb} = #,### * Total Entries {nmsb*(nmsb+1)/2} = ###,###,### * * Block Sub-Block * Row Count {nbsb} = #,### * Total Entries {nbsb*nbsb} = ###,###,### * Last Row Count {nbsbLast} = #,### * Last Fill Fraction (%) = ###.## * * Matrix Block * Row Count {nmb} = ### * Total Entries {nmb*(nmb+1)/2} = #,### * * @param subBlkSize The sub-block size request for which the definition will * be output. If equal to -1 then all valid sub-block sizes * are output. * @return The requested definition string. * */ public String showDefinition(String hdr, int subBlkSize) { // output header String s = hdr + "Matrix, Block, Sub-Block Discretization "; if (subBlkSize == -1) s += "Definitions:" + NL + NL; else if ((subBlkSize == aNumSubBlkElemRows) && (subBlkSize == aCurrSubBlkSize)) s += "Basis (Current) Definition:" + NL + NL; else if (subBlkSize == aNumSubBlkElemRows) s += "Basis Definition:" + NL + NL; else if (subBlkSize == aCurrSubBlkSize) s += "Current Definition:" + NL + NL; else s += "(Sub-Block Size = " + subBlkSize + ") Definition:" + NL + NL; // output matrix element information s += hdr + " Matrix Element" + NL; s += hdr + " Row Count {nme} = " + String.format("%-,8d", aNumMtrxElemRows) + NL; s += hdr + " Total Entries {nme*(nme+1)/2} = " + String.format("%-,13d", symmMatrixElementCount()) + NL; s += hdr + " Storage (GB) = " + String.format("%-,7.2f", (double) 8.0 * symmMatrixElementCount() / 1024 / 1024 / 1024) + NL + NL; // output block element information s += hdr + " Block Element" + NL; s += hdr + " Row Count {nbe} = " + String.format("%-,6d", aNumBlkElemRows) + NL; s += hdr + " Total Entries {nbe*nbe} = " + String.format("%-,10d", aNumBlkElemRows * aNumBlkElemRows) + NL; s += hdr + " Storage (MB) = " + String.format("%-,7.2f", (double) 8.0 * aNumBlkElemRows * aNumBlkElemRows / 1024 / 1024) + NL; s += hdr + " Last Row Count {nbeLast} = " + String.format("%-,6d", aLastBlkElemRows) + NL; s += hdr + " Last Fill Fraction (%) = " + String.format("%-,6.2f", 100.0 * aLastBlkElemRows / aNumBlkElemRows) + NL + NL; // see if a specific sub-block size was requested if (subBlkSize != -1) { // if requested sub-block size is invalid say so and return if (!isSubBlockSizeValid(subBlkSize)) { s += hdr + " INVALID Sub-Block Size Request (" + subBlkSize + ") ... Cannot Show ..." + NL + NL; } else { // output sub-block element information s += hdr + " Sub-Block Element" + NL; s += hdr + " Row Count {nsbe} = " + String.format("%-,6d", subBlkSize) + NL; s += hdr + " Total Entries {nsbe*nsbe} = " + String.format("%-,10d", subBlkSize * subBlkSize) + NL; s += hdr + " Storage (KB) = " + String.format("%-,7.2f", (double) 8.0 * subBlkSize * subBlkSize / 1024) + NL; s += hdr + " Last Row Count {nsbeLast} = " + String.format("%-,6d", getLastSubBlockElementRows(subBlkSize)) + NL; s += hdr + " Last Fill Fraction (%) = " + String.format("%-,6.2f", 100.0 * getLastSubBlockElementRows(subBlkSize) / subBlkSize) + NL + NL; // output matrix sub-block information s += hdr + " Matrix Sub-Block" + NL; s += hdr + " Row Count {nmsb} = " + String.format("%-,6d", subBlocks(subBlkSize)) + NL; s += hdr + " Total Entries {nmsb*(nmsb+1)/2} = " + String.format("%-,10d", symmMatrixSubBlockCount(subBlkSize)) + NL + NL; // output block sub-block information s += hdr + " Block Sub-Block" + NL; s += hdr + " Row Count {nbsb} = " + String.format("%-,6d", blockSubBlocks(subBlkSize)) + NL; s += hdr + " Total Entries {nbsb*nbsb} = " + String.format("%-,10d", blockSubBlocks(subBlkSize) * blockSubBlocks(subBlkSize)) + NL; s += hdr + " Last Row Count {nbsbLast} = " + String.format("%-,6d", getLastBlockSubBlockRows(subBlkSize)) + NL; s += hdr + " Last Fill Fraction (%) = " + String.format("%-,6.2f", 100.0 * getLastBlockSubBlockRows(subBlkSize) / blockSubBlocks(subBlkSize)) + NL + NL; } } // end if (subBlkSize != -1) // output matrix block information s += hdr + " Matrix Block" + NL; s += hdr + " Row Count {nmb} = " + String.format("%-,6d", aNumMtrxBlkRows) + NL; s += hdr + " Total Entries {nmb*(nmb+1)/2} = " + String.format("%-,10d", symmMatrixBlockCount()) + NL + NL; // output valid sub-block size table if no specific sub -block size // (-1) was requested if (subBlkSize == -1) { // output sub-block table header s += hdr + " Valid Sub-Block Table" + NL + NL; s += hdr + " B = Basis Sub-Block Size" + NL + hdr + " C = Current Sub-Block Size" + NL + NL; s += hdr + " Sub-Block Element |" + hdr + " Block Sub-Block | Matrix Sub-Block" + NL; s += hdr + " |" + hdr + " |" + NL; s += hdr + " Last Last |" + hdr + " Last Last |" + NL; s += hdr + " Row Total Row Fill |" + hdr + " Row Total Row Fill | Row Total" + NL; s += hdr + " Count Entries Storage Count Frctn |" + hdr + " Count Entries Count Frctn | Count Entries" + NL; s += hdr + " (nsbe) (nsbe*nsbe) (KB) (nsbeLast) (%) |" + hdr + " (nbsb) (nbsb*nbsb) (nbsbLast) (%) | (nmsb) (nmsb*(nmsb+1)/2)" + NL; s += hdr + " " + Globals.repeat("-", 119) + NL; // loop over all valid sub-block sizes for (int i = 1; i <= aNumBlkElemRows; ++i) { if (isSubBlockSizeValid(i)) { // output row for valid sub-block size i ... append B and/or C if // this is the Basis and/or current sub-block size if ((i == aNumSubBlkElemRows) && (i == aCurrSubBlkSize)) s += hdr + " BC"; else if (i == aNumSubBlkElemRows) s += hdr + " B "; else if (i == aCurrSubBlkSize) s += hdr + " C "; else s += hdr + " "; // output sub-block element discretization s += String.format("%,5d", i); s += String.format(" %,10d", i * i); s += String.format(" %,11.2f", (double) 8.0 * i * i / 1024); s += String.format(" %,5d", getLastSubBlockElementRows(i)); s += String.format(" %,6.2f |", 100.0 * getLastSubBlockElementRows(i) / i); // output block sub-block discretization s += String.format(" %,5d", blockSubBlocks(i)); s += String.format(" %,10d", blockSubBlocks(i) * blockSubBlocks(i)); s += String.format(" %,5d", getLastBlockSubBlockRows(i)); s += String.format(" %,6.2f |", 100.0 * getLastBlockSubBlockRows(i) / blockSubBlocks(i)); // output matrix sub-block discretization s += String.format(" %,8d", subBlocks(i)); s += String.format(" %,11d", symmMatrixSubBlockCount(i)) + NL; } // end if (isSubBlockSizeValid(i)) } // end for (int i = 1; i <= aNumBlkElemRows; ++i) } // end if (subBlkSize == -1) // done ... return string s += NL + NL; return s; } /** * Shows the block discretization given the input size entries. * * @param mtrxElemRows The matrix size (element row count). * @param blkElemRows The block size (element row count). This is an * estimate. The constructor calculates the closes * valid number * @param subBlkElemRows The sub-block size (element row count). */ public static void showSize(int mtrxElemRows, int blkElemRows, int subBlkElemRows) { MatrixBlockDefinition mbd = new MatrixBlockDefinition(mtrxElemRows, blkElemRows, subBlkElemRows); System.out.println(mbd.toString()); } /** * Outputs good block and sub-block sizes to minimize the amount of wasted * space in the last block. * * @param nme The matrix size (number of element rows). * @param nsbe The sub-block size (number of element rows). * @param nbeMax The maximum allowed block size (number of element rows). * @param nmbMin The minimum allowed number of blocks (rows). * @param nmbMax The maximum allowed number of blocks (rows). * @param maxBestSolns The maximum number of discovered solutions to output. * These are sorted on discrepancy between the number of * sub-blocks in the last block with the number in all * previous blocks. Zero is the best. */ public static void bestSize(int nme, int nsbe, int nbeMax, int nmbMin, int nmbMax, int maxBestSolns) { HashSet<Integer> nbsbSet; HashMap<Integer, HashSet<Integer>> nmbMap; TreeMap<Double, HashMap<Integer, HashSet<Integer>>> map; // create sorted map (tree map) to store all entries based on the final // blocks sub-block fill fraction (ie. if 100% then all sub-blocks in the // last block are used) map = new TreeMap<Double, HashMap<Integer, HashSet<Integer>>>(); // calculate the number of matrix sub-blocks and the maximum allowed // sub-block count in a block. int nmsb = (int) Math.ceil((double) nme / nsbe); int nbsbMax = nbeMax / nsbe; // loop over all allowed matrix block counts from the input minimum to the // input maximum for (int nmb = nmbMin; nmb <= nmbMax; ++nmb) { // loop over all allowed block sub-block counts from 1 to the maximum // allowed for (int nbsb = 1; nbsb <= nbsbMax; ++nbsb) { // calculate the final block sub-block unused count and test that it is // valid (>= 0 and < than the current block sub-block count (nbsb). int f = nmb * nbsb - nmsb; if ((f >= 0) && (f < nbsb)) { // valid final block sub-block unused count ... calculate the last // block sub-block fill fraction int nbsbLast = nmsb - (nmb - 1) * nbsb; double lstBlkSubBlkFill = 100.0 * nbsbLast / nbsb; // get the map associated with the fill fraction ... if it hasn't // been added yet then add it now nmbMap = map.get(lstBlkSubBlkFill); if (nmbMap == null) { nmbMap = new HashMap<Integer, HashSet<Integer>>(); map.put(lstBlkSubBlkFill, nmbMap); } // get the set of nbsb results associated with nmb. If it hasn't been // added yet then add it now nbsbSet = nmbMap.get(nmb); if (nbsbSet == null) { nbsbSet = new HashSet<Integer>(); nmbMap.put(nmb, nbsbSet); } // add nbsb to the set ... if the number of entries in the map exceeds // the requested solution size then get rid of the last entry nbsbSet.add(nbsb); if (map.size() == maxBestSolns + 1) map.pollLastEntry(); } } } // done ... output all remaining entries in the map if (map.size() > 0) { // print the header including the input matrix size, the calculated // number of matrix sub-blocks, and the maximum allowed sub-blocks per // block System.out.println(""); System.out.println("Matrix Discretization Best Size Solutions"); System.out.println(" Input"); System.out.println(" Matrix Element Row Count = " + nme); System.out.println(" Sub-Block Element Row Count = " + nsbe); System.out.println(" Max. Block Element Row Count = " + nbeMax); System.out.println(" Min. Block Count = " + nmbMin); System.out.println(" Max. Block Count = " + nmbMax); System.out.println(""); System.out.println(" Solution"); System.out.println(" Matrix element rows = " + nme); System.out.println(" Matrix sub-block rows = " + nmsb); System.out.println(" Maximum allowed sub-blocks per block = " + nbsbMax); // calculate the number of elements in the last sub-block and the last // sub-block element fill fraction and output the results int nsbeLast = nme - (nmsb - 1) * nsbe; double lstSubBlkElemFill = 100.0 * nsbeLast / nsbe; System.out.println(" Sub-Block element rows = " + nsbe + ", LAST = " + nsbeLast + ", fill (%) = " + lstSubBlkElemFill); System.out.println(""); // loop over all entries in the map Set<Double> st = map.descendingKeySet(); for (Double lstBlkSubBlkFill: st) { // get the next entry in the map belonging to the current last block // sub-block use fraction and loop over all entries in that nmb map nmbMap = map.get(lstBlkSubBlkFill); for (Map.Entry<Integer, HashSet<Integer>> enmb: nmbMap.entrySet()) { // get nmb and the set of associated nbsb values ... loop over each // entry in the set int nmb = enmb.getKey(); nbsbSet = enmb.getValue(); for (Integer nbsbI: nbsbSet) { // get nbsb and output the number of matrix block rows int nbsb = nbsbI; System.out.println(" Matrix block rows = " + nmb); // calculate the number of elements in each block, the number of // element in the last block, and the element fill fraction of the // last block and print those results int nbe = nbsb*nsbe; int nbeLast = nme - (nmb - 1) * nbe; double lstBlkElemFill = 100.0 * nbeLast / nbe; System.out.println(" Block element rows = " + (nbsb*nsbe) + ", LAST = " + nbeLast + ", fill (%) = " + lstBlkElemFill); // calculate the number of sub-blocks in the last block and print // it along with the last block sub-block fill fraction int nbsbLast = nmsb - (nmb - 1) * nbsb; System.out.println(" Block sub-block rows = " + nbsb + ", LAST = " + nbsbLast + ", fill (%) = " + lstBlkSubBlkFill); } } } } } /** * Returns the sub-block element offset row index containing the input block * element row index given the input sub-block size. * * @param blkElemRow The block element row index for which the * corresponding sub-block row element offset index will * be returned. Valid values range from 0 to * aNumBlkElemRows - 1. * @param subBlkSize The requested sub-block size. * @return The sub-block element offset row index containing the input block * element row index. */ public int blockSubBlockElementRow(int blkElemRow, int subBlkSize) { return blkElemRow % subBlockSize(subBlkSize); } /** * Returns the sub-block element offset row index containing the input block * element row index given the current subdivide/merge specification. * * @param blkElemRow The block element row index for which the corresponding * sub-block row element offset index will be returned. * Valid values range from 0 to aNumBlkElemRows - 1. * @return The sub-block element offset row index containing the input block * element row index. */ public int blockSubBlockElementRow(int blkElemRow) { return blkElemRow % subBlockSize(aCurrSubBlkSize); } /** * Returns the sub-block element offset row index containing the input block * element row index with no subdivision/merge operations (the basis). * * @param blkElemRow The block element row index for which the corresponding * sub-block row element offset index will be returned. * Valid values range from 0 to aNumBlkElemRows - 1. * @return The basis sub-block element offset row index containing the input * block element row index. */ public int blockSubBlockElementRowBasis(int blkElemRow) { return blkElemRow % aNumSubBlkElemRows; } /** * Returns the sub-block size (element rows/columns square of one matrix * sub-block) given the input sub-block size (simple re-return). * * @param subBlkSize The requested sub-block size. * @return The input sub-block size. */ public int subBlockSize(int subBlkSize) { return subBlkSize; } /** * Returns the sub-block size (element rows/columns square of one matrix * sub-block) given the current subdivide/merge specification. * * @return The sub-block size (element rows/columns square of one matrix * sub-block). */ public int subBlockSize() { return aCurrSubBlkSize; } /** * Returns the number of sub-block element rows (sub-block rows/columns * square) with no subdivision/merge operations (the basis). * * @return The sub-block size (element rows/columns square of one matrix * sub-block). */ public int subBlockSizeBasis() { return aNumSubBlkElemRows; } /** * Returns the number of block sub-blocks (sub-block rows/columns square of * a single block) given the input sub-block size. * * @param subBlkSize The requested sub-block size. * @return Returns the number of block sub-blocks (sub-block rows/columns square of * a single block) */ public int blockSubBlocks(int subBlkSize) { return aNumBlkElemRows / subBlkSize; } /** * Returns the number of block sub-blocks (sub-block rows/columns square of * a single block) given the current subdivide/merge specification. * * @return The number of block sub-blocks (sub-block rows/columns square of * a single block). */ public int blockSubBlocks() { return blockSubBlocks(aCurrSubBlkSize); } /** * Returns the number of block sub-blocks (sub-block rows/columns square of * a single block) with no subdivision/merge operations (the basis). * * @return The basis number of block sub-blocks (sub-block rows/columns square * of a single block). */ public int blockSubBlocksBasis() { return aNumBlkSubBlkRows; } /** * Returns the number of sub-blocks (sub-block rows/columns square) given the * input sub-block size. * * @param subBlkSize The requested sub-block size. * @return The number of sub-blocks (sub-block rows/columns square). */ public int subBlocks(int subBlkSize) { return (int) Math.ceil((double) aNumMtrxElemRows / subBlkSize); } /** * Returns the number of sub-blocks (sub-block rows/columns square) given the * current subdivide/merge specification. * * @return The number of sub-blocks (sub-block rows/columns square). */ public int subBlocks() { return subBlocks(aCurrSubBlkSize); } /** * Returns the number of sub-blocks (sub-block rows/columns square) with no * subdivision/merge operations (the basis). * * @return The basis number of sub-blocks (sub-block rows/columns square). */ public int subBlocksBasis() { return aNumMtrxSubBlkRows; } /** * Returns the sub-block row index containing the input matrix element row * index given the input sub-block size. The sub-block row * returned is as if the entire matrix was composed of sub-blocks and not * blocks. * * @param mtrxElemRow The matrix element row index for which the * corresponding sub-block row index will be returned. * Valid values range from 0 to aNumMtrxElemRows - 1. * @param subBlkSize The requested sub-block size. * @return The sub-block row index containing the input matrix element row * index. */ public int subBlockRow(int mtrxElemRow, int subBlkSize) { return mtrxElemRow / subBlockSize(subBlkSize); } /** * Returns the sub-block row index containing the input matrix element row * index given the current subdivide/merge specification. The sub-block row * returned is as if the entire matrix was composed of sub-blocks and not * blocks. * * @param mtrxElemRow The matrix element row index for which the corresponding * sub-block row index will be returned. Valid values * range from 0 to aNumMtrxElemRows - 1. * @return The sub-block row index containing the input matrix element row * index. */ public int subBlockRow(int mtrxElemRow) { return mtrxElemRow / subBlockSize(aCurrSubBlkSize); } /** * Returns the sub-block row index containing the input matrix element row * index with no subdivision/merge operations (the basis). The sub-block row * returned is as if the entire matrix was composed of sub-blocks and not * blocks. * * @param mtrxElemRow The matrix element row index for which the corresponding * sub-block row index will be returned. Valid values * range from 0 to aNumMtrxElemRows - 1. * @return The sub-block row index containing the input matrix element row * index. */ public int subBlockRowBasis(int mtrxElemRow) { return mtrxElemRow / aNumSubBlkElemRows; } /** * Returns the sub-block element row offset index containing the input matrix * element row index given the input sub-block size. * * @param mtrxElemRow The matrix element row index for which the * corresponding sub-block row element offset index will * be returned. Valid values range from 0 to * aNumMtrxElemRows - 1. * @param subBlkSize The requested sub-block size. * @return The sub-block row element offset index containing the input matrix * element row index. */ public int subBlockElementRow(int mtrxElemRow, int subBlkSize) { return mtrxElemRow % subBlockSize(subBlkSize); } /** * Returns the sub-block element row offset index containing the input matrix * element row index given the current subdivide/merge specification. * * @param mtrxElemRow The matrix element row index for which the corresponding * sub-block row element offset index will be returned. * Valid values range from 0 to aNumMtrxElemRows - 1. * @return The sub-block row element offset index containing the input matrix * element row index. */ public int subBlockElementRow(int mtrxElemRow) { return mtrxElemRow % subBlockSize(aCurrSubBlkSize); } /** * Returns the sub-block element row offset index containing the input matrix * element row index with no subdivision/merge operations (the basis). * * @param mtrxElemRow The matrix element row index for which the corresponding * sub-block row element offset index will be returned. * Valid values range from 0 to aNumMtrxElemRows - 1. * @return The sub-block row element offset index containing the input matrix * element row index. */ public int subBlockElementRowBasis(int mtrxElemRow) { return mtrxElemRow % aNumSubBlkElemRows; } /** * Returns the sub-block row index within the block that contains the input * matrix element row index given the input sub-block size. * * @param mtrxElemRow The matrix element row index for which the * corresponding sub-block row index, offset into its * containing block, will be returned. Valid values range * from 0 to aNumBlkSubBlkRows - 1. * @param subBlkSize The requested sub-block size. * @return The block sub-block row index containing the input matrix element * row index. */ public int blockSubBlockRowFromMatrixRow(int mtrxElemRow, int subBlkSize) { return blockElementRow(mtrxElemRow) / blockSubBlocks(subBlkSize); } /** * Returns the sub-block row index within the block that contains the input * matrix element row index given the current subdivide/merge specification. * * @param mtrxElemRow The matrix element row index for which the corresponding * sub-block row index, offset into its containing block, * will be returned. Valid values range * from 0 to aNumBlkSubBlkRows - 1. * @return The block sub-block row index containing the input matrix element * row index. */ public int blockSubBlockRowFromMatrixRow(int mtrxElemRow) { return blockElementRow(mtrxElemRow) / blockSubBlocks(aCurrSubBlkSize); } /** * Returns the sub-block row index within the block that contains the input * matrix element row index with no subdivision/merge operations (the basis). * * @param mtrxElemRow The matrix element row index for which the corresponding * sub-block row index, offset into its containing block, * will be returned. Valid values range * from 0 to aNumBlkSubBlkRows - 1. * @return The block sub-block row index containing the input matrix element * row index. */ public int blockSubBlockRowFromMatrixRowBasis(int mtrxElemRow) { return blockElementRow(mtrxElemRow) / aNumBlkSubBlkRows; } /** * Returns the sub-block row index containing the input block element row * index given the input sub-block size. * * @param blkElemRow The block element row index for which the * corresponding sub-block row index will be returned. * Valid values range from 0 to aNumBlkElemRows - 1. * @param subBlkSize The requested sub-block size. * @return The sub-block row index containing the input block element row * index. */ public int blockSubBlockRow(int blkElemRow, int subBlkSize) { return blkElemRow / subBlockSize(subBlkSize); } /** * Returns the sub-block row index containing the input block element row * index given the current subdivide/merge specification. * * @param blkElemRow The block element row index for which the corresponding * sub-block row index will be returned. Valid values range * from 0 to aNumBlkElemRows - 1. * @return The sub-block row index containing the input block element row * index. */ public int blockSubBlockRow(int blkElemRow) { return blkElemRow / subBlockSize(aCurrSubBlkSize); } /** * Returns the sub-block row index containing the input block element row * index with no subdivision/merge operations (the basis). * * @param blkElemRow The block element row index for which the corresponding * sub-block row index will be returned. Valid values range * from 0 to aNumBlkElemRows - 1. * @return The sub-block row index containing the input block element row * index. */ public int blockSubBlockRowBasis(int blkElemRow) { return blkElemRow / aNumSubBlkElemRows; } /** * Returns the number of sub-blocks in the last block. This value will * be equal to or less than the standard number of sub-block in a block * (aNumBlkSubBlkRows) given the input sub-block size. * * @param subBlkSize The requested sub-block size. * @return The number of element rows in the last sub-block. */ public int getLastBlockSubBlockRows(int subBlkSize) { return subBlocks(subBlkSize) - (aNumMtrxBlkRows - 1) * blockSubBlocks(subBlkSize); } /** * Returns the number of sub-blocks in the last block. This value will * be equal to or less than the standard number of sub-block in a block * (aNumBlkSubBlkRows) given the current subdivide/merge specification. * * @return The number of element rows in the last sub-block. */ public int getLastBlockSubBlockRows() { return getLastBlockSubBlockRows(aCurrSubBlkSize); } /** * Returns the number of sub-blocks in the last block. This value will * be equal to or less than the standard number of sub-block in a block * (aNumBlkSubBlkRows) with no subdivision/merge operations (the basis). * * @return The number of element rows in the last sub-block. */ public int getLastBlockSubBlockRowsBasis() { return aLastBlkSubBlkRows; } /** * Returns the number of sub-block rows in the input block given the input * sub-block size. If blk is less than the last block index then * aNumBlkSubBlkRows is returned. If blk is the last block index then * aLastBlkSubBlkRows is returned. * * @param blk The input block index for which the number of * sub-block rows is returned. * @param subBlkSize The requested sub-block size. * @return The number of sub-block rows in the input block. */ public int getBlockSubBlockRows(int blk, int subBlkSize) { if (blk == aLastBlkIndx) return getLastBlockSubBlockRows(subBlkSize); else return blockSubBlocks(subBlkSize); } /** * Returns the number of sub-block rows in the input block given the current * subdivide/merge specification. If blk is less than the last block index * then aNumBlkSubBlkRows is returned. If blk is the last block index then * aLastBlkSubBlkRows is returned. * * @param blk The input block index for which the number of sub-block rows is * returned. * @return The number of sub-block rows in the input block. */ public int getBlockSubBlockRows(int blk) { if (blk == aLastBlkIndx) return getLastBlockSubBlockRows(aCurrSubBlkSize); else return blockSubBlocks(aCurrSubBlkSize); } /** * Returns the number of sub-block rows in the input block with no * subdivision/merge operations (the basis). If blk is less than the last * block index then aNumBlkSubBlkRows is returned. If blk is the last block * index then aLastBlkSubBlkRows is returned. * * @param blk The input block index for which the number of sub-block rows is * returned. * @return The number of sub-block rows in the input block. */ public int getBlockSubBlockRowsBasis(int blk) { if (blk == aLastBlkIndx) return aLastBlkSubBlkRows; else return aNumBlkSubBlkRows; } /** * Returns the number of element rows in the last sub-block given the input * sub-block size. This value will be equal to or less than the * standard number of sub-block element rows (aNumSubBlkElemRows). * * @param subBlkSize The requested sub-block size. * @return The number of element rows in the last sub-block. */ public int getLastSubBlockElementRows(int subBlkSize) { return aNumMtrxElemRows - (subBlocks(subBlkSize) - 1) * subBlockSize(subBlkSize); } /** * Returns the number of element rows in the last sub-block given the current * subdivide/merge specification. This value will be equal to or less than * the standard number of sub-block element rows (aNumSubBlkElemRows). * * @return The number of element rows in the last sub-block. */ public int getLastSubBlockElementRows() { return getLastSubBlockElementRows(aCurrSubBlkSize); } /** * Returns the number of element rows in the last sub-block with no * subdivision/merge operations (the basis). This value will be equal to or * less than the standard number of sub-block element rows * (aNumSubBlkElemRows). * * @return The number of element rows in the last sub-block. */ public int getLastSubBlockElementRowsBasis() { return aLastSubBlkElemRows; } /** * Returns the last sub-block index given the input sub-block size. * * @param subBlkSize The requested sub-block size. * @return The last sub-block index. */ public int getLastSubBlockIndex(int subBlkSize) { return getLastBlockSubBlockRows(subBlkSize) - 1; } /** * Returns the last sub-block index given the current subdivide/merge * specification. * * @return The last sub-block index. */ public int getLastSubBlockIndex() { return getLastBlockSubBlockRows(aCurrSubBlkSize) - 1; } /** * Returns the last sub-block index with no subdivision/merge operations * (the basis). * * @return The last sub-block index. */ public int getLastSubBlockIndexBasis() { return aLastSubBlkIndx; } /** * Returns the number of element rows in the input blocks sub-block given the * input sub-block size. If blk is less than the last block index or * if blk is equal to the last block index and subblk is less than the last * sub-block index, then aNumSubBlkElemRows is returned. If, however, blk is * equal to the last block index and subblk is equal to the last sub-block * index then aLastSubBlkElemRows is returned. * * @param blk The input block index for which the number of * sub-block element rows is returned. * @param subblk The input sub-block index for which the number of * sub-block element rows is returned. * @param subBlkSize The requested sub-block size. * @return The number of sub-block element rows in the input block / * sub-block. */ public int getBlockSubBlockElementRows(int blk, int subblk, int subBlkSize) { if ((blk == aLastBlkIndx) && (subblk == getLastSubBlockIndex(subBlkSize))) return getLastSubBlockElementRows(subBlkSize); else return subBlockSize(subBlkSize); } /** * Returns the number of element rows in the input blocks sub-block given the * current subdivide/merge specification. If blk is less than the last block * index or if blk is equal to the last block index and subblk is less than * the last sub-block index, then aNumSubBlkElemRows is returned. If, however, * blk is equal to the last block index and subblk is equal to the last * sub-block index then aLastSubBlkElemRows is returned. * * @param blk The input block index for which the number of sub-block * element rows is returned. * @param subblk The input sub-block index for which the number of sub-block * element rows is returned. * @return The number of sub-block element rows in the input block / * sub-block. */ public int getBlockSubBlockElementRows(int blk, int subblk) { if ((blk == aLastBlkIndx) && (subblk == getLastSubBlockIndex(aCurrSubBlkSize))) return getLastSubBlockElementRows(aCurrSubBlkSize); else return subBlockSize(aCurrSubBlkSize); } /** * Returns the number of element rows in the input blocks sub-block with no * subdivision/merge operations (the basis). If blk is less than the last * block index or if blk is equal to the last block index and subblk is less * than the last sub-block index, then aNumSubBlkElemRows is returned. If, * however, blk is equal to the last block index and subblk is equal to the * last sub-block index then aLastSubBlkElemRows is returned. * * @param blk The input block index for which the number of sub-block * element rows is returned. * @param subblk The input sub-block index for which the number of sub-block * element rows is returned. * @return The number of sub-block element rows in the input block / * sub-block. */ public int getBlockSubBlockElementRowsBasis(int blk, int subblk) { if ((blk == aLastBlkIndx) && (subblk == aLastSubBlkIndx)) return aLastSubBlkElemRows; else return aNumSubBlkElemRows; } /** * Returns the total number of defined sub-blocks in the symmetric square * matrix given the input sub-block size. * * @param subBlkSize The requested sub-block size. * @return The total number of defined sub-blocks in the symmetric square * matrix. */ public long symmMatrixSubBlockCount(int subBlkSize) { int sb = subBlocks(subBlkSize); return (long) sb * (sb + 1) / 2; } /** * Returns the total number of defined sub-blocks in the symmetric square * matrix given the current subdivide/merge specification. * * @return The total number of defined sub-blocks in the symmetric square * matrix. */ public long symmMatrixSubBlockCount() { int sb = subBlocks(aCurrSubBlkSize); return (long) sb * (sb + 1) / 2; } /** * Returns the total number of defined sub-blocks in the symmetric square * matrix with no subdivision/merge operations (the basis). * * @return The total number of defined sub-blocks in the symmetric square * matrix. */ public long symmMatrixSubBlockCountBasis() { return (long) aNumMtrxSubBlkRows * (aNumMtrxSubBlkRows + 1) / 2; } }
36.995972
119
0.616245
9c334fa3b4c9fa6e04ed045d966df1192b805f2c
5,479
package net.minecraft.client.renderer.entity; import net.minecraft.entity.item.*; import java.util.*; import net.minecraft.client.resources.model.*; import net.minecraft.client.renderer.block.model.*; import net.minecraft.client.renderer.*; import net.minecraft.item.*; import net.minecraft.util.*; import net.minecraft.client.renderer.texture.*; import net.minecraft.entity.*; public class RenderEntityItem extends Render<EntityItem> { private final RenderItem itemRenderer; private Random field_177079_e; public RenderEntityItem(final RenderManager renderManagerIn, final RenderItem p_i46167_2_) { super(renderManagerIn); this.field_177079_e = new Random(); this.itemRenderer = p_i46167_2_; this.shadowSize = 0.15f; this.shadowOpaque = 0.75f; } private int func_177077_a(final EntityItem itemIn, final double p_177077_2_, final double p_177077_4_, final double p_177077_6_, final float p_177077_8_, final IBakedModel p_177077_9_) { final ItemStack itemstack = itemIn.getEntityItem(); final Item item = itemstack.getItem(); if (item == null) { return 0; } final boolean flag = p_177077_9_.isGui3d(); final int i = this.func_177078_a(itemstack); final float f = 0.25f; final float f2 = MathHelper.sin((itemIn.getAge() + p_177077_8_) / 10.0f + itemIn.hoverStart) * 0.1f + 0.1f; final float f3 = p_177077_9_.getItemCameraTransforms().getTransform(ItemCameraTransforms.TransformType.GROUND).scale.y; GlStateManager.translate((float)p_177077_2_, (float)p_177077_4_ + f2 + 0.25f * f3, (float)p_177077_6_); if (flag || this.renderManager.options != null) { final float f4 = ((itemIn.getAge() + p_177077_8_) / 20.0f + itemIn.hoverStart) * 57.295776f; GlStateManager.rotate(f4, 0.0f, 1.0f, 0.0f); } if (!flag) { final float f5 = -0.0f * (i - 1) * 0.5f; final float f6 = -0.0f * (i - 1) * 0.5f; final float f7 = -0.046875f * (i - 1) * 0.5f; GlStateManager.translate(f5, f6, f7); } GlStateManager.color(1.0f, 1.0f, 1.0f, 1.0f); return i; } private int func_177078_a(final ItemStack stack) { int i = 1; if (stack.stackSize > 48) { i = 5; } else if (stack.stackSize > 32) { i = 4; } else if (stack.stackSize > 16) { i = 3; } else if (stack.stackSize > 1) { i = 2; } return i; } @Override public void doRender(final EntityItem entity, final double x, final double y, final double z, final float entityYaw, final float partialTicks) { final ItemStack itemstack = entity.getEntityItem(); this.field_177079_e.setSeed(187L); boolean flag = false; if (this.bindEntityTexture(entity)) { this.renderManager.renderEngine.getTexture(this.getEntityTexture(entity)).setBlurMipmap(false, false); flag = true; } GlStateManager.enableRescaleNormal(); GlStateManager.alphaFunc(516, 0.1f); GlStateManager.enableBlend(); GlStateManager.tryBlendFuncSeparate(770, 771, 1, 0); GlStateManager.pushMatrix(); final IBakedModel ibakedmodel = this.itemRenderer.getItemModelMesher().getItemModel(itemstack); for (int i = this.func_177077_a(entity, x, y, z, partialTicks, ibakedmodel), j = 0; j < i; ++j) { if (ibakedmodel.isGui3d()) { GlStateManager.pushMatrix(); if (j > 0) { final float f = (this.field_177079_e.nextFloat() * 2.0f - 1.0f) * 0.15f; final float f2 = (this.field_177079_e.nextFloat() * 2.0f - 1.0f) * 0.15f; final float f3 = (this.field_177079_e.nextFloat() * 2.0f - 1.0f) * 0.15f; GlStateManager.translate(f, f2, f3); } GlStateManager.scale(0.5f, 0.5f, 0.5f); ibakedmodel.getItemCameraTransforms().applyTransform(ItemCameraTransforms.TransformType.GROUND); this.itemRenderer.renderItem(itemstack, ibakedmodel); GlStateManager.popMatrix(); } else { GlStateManager.pushMatrix(); ibakedmodel.getItemCameraTransforms().applyTransform(ItemCameraTransforms.TransformType.GROUND); this.itemRenderer.renderItem(itemstack, ibakedmodel); GlStateManager.popMatrix(); final float f4 = ibakedmodel.getItemCameraTransforms().ground.scale.x; final float f5 = ibakedmodel.getItemCameraTransforms().ground.scale.y; final float f6 = ibakedmodel.getItemCameraTransforms().ground.scale.z; GlStateManager.translate(0.0f * f4, 0.0f * f5, 0.046875f * f6); } } GlStateManager.popMatrix(); GlStateManager.disableRescaleNormal(); GlStateManager.disableBlend(); this.bindEntityTexture(entity); if (flag) { this.renderManager.renderEngine.getTexture(this.getEntityTexture(entity)).restoreLastBlurMipmap(); } super.doRender(entity, x, y, z, entityYaw, partialTicks); } @Override protected ResourceLocation getEntityTexture(final EntityItem entity) { return TextureMap.locationBlocksTexture; } }
44.185484
190
0.619274
c4761fb00e46a8b38e250ff854eaed68950eb85e
154
package top.jacktgq.tank.entity; /** * @Author CandyWall * @Date 2021/1/24--11:11 * @Description 坦克阵营:我方,敌方 */ public enum Group { SELF, ENEMY }
14
32
0.649351
2de1d3a70c45b23c59bb6a19ac917e454f93fa00
1,671
/* * Copyright (c) 2022 AVI-SPL, Inc. All Rights Reserved. */ package com.avispl.symphony.dal.avdevices.encoderdecoder.haivision.x4decoder.common.decoder.controllingmetric; import java.util.Arrays; import java.util.Optional; /** * Set of decoder state option * * @author Harry / Symphony Dev Team<br> * Created on 3/8/2022 * @since 1.0.0 */ public enum State { STOPPED("Stopped", 0, false), START("Started", 1, true), ACTIVE("Active", 2, false), NOT_DECODING("Not Decoding", -1, false); private final String name; private final Integer code; private final boolean isRunning; /** * Parameterized constructor * @param name Name of decoder monitoring metric * @param code Code of decoder status * @param isRunning status of decoder */ State(String name, Integer code, boolean isRunning) { this.name = name; this.code = code; this.isRunning = isRunning; } /** * retrieve {@code {@link #name}} * * @return value of {@link #name} */ public String getName() { return this.name; } /** * Retrieves {@code {@link #code}} * * @return value of {@link #code} */ public Integer getCode() { return code; } /** * Retrieves {@code {@link #isRunning}} * * @return value of {@link #isRunning} */ public boolean isRunning() { return isRunning; } /** * This method is used to get state by name * * @param name is the name of state that want to get * @return State is the state that want to get */ public static State getByCode(Integer name) { Optional<State> state = Arrays.stream(State.values()).filter(com -> com.getCode().equals(name)).findFirst(); return state.orElse(State.STOPPED); } }
21.423077
110
0.668462
2e632298fa5a706f3dd2936f8e484f5626bf9ab5
1,751
package org.sagebionetworks.repo.web.service.metadata; import org.sagebionetworks.repo.manager.table.MaterializedViewManager; import org.sagebionetworks.repo.model.DatastoreException; import org.sagebionetworks.repo.model.InvalidModelException; import org.sagebionetworks.repo.model.UnauthorizedException; import org.sagebionetworks.repo.model.UserInfo; import org.sagebionetworks.repo.model.entity.IdAndVersion; import org.sagebionetworks.repo.model.table.MaterializedView; import org.sagebionetworks.repo.web.NotFoundException; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; @Service public class MaterializedViewMetadataProvider implements EntityValidator<MaterializedView>, TypeSpecificCreateProvider<MaterializedView>, TypeSpecificUpdateProvider<MaterializedView> { private MaterializedViewManager manager; @Autowired public MaterializedViewMetadataProvider(MaterializedViewManager manager) { this.manager = manager; } @Override public void validateEntity(MaterializedView entity, EntityEvent event) throws InvalidModelException, NotFoundException, DatastoreException, UnauthorizedException { manager.validate(entity); } @Override public void entityCreated(UserInfo userInfo, MaterializedView entity) { manager.registerSourceTables(IdAndVersion.parse(entity.getId()), entity.getDefiningSQL()); } @Override public void entityUpdated(UserInfo userInfo, MaterializedView entity, boolean wasNewVersionCreated) { if (wasNewVersionCreated) { throw new IllegalStateException("A materialized view version can only be created by creating a snapshot."); } manager.registerSourceTables(IdAndVersion.parse(entity.getId()), entity.getDefiningSQL()); } }
39.795455
184
0.836665
e1dcad7af8c65bf8cb44b13fe62f6cc105183bd4
182
package com.example.demonavigationview.main.presenter; /** * Created by Administrator on 2017/8/22 0022. */ public interface MainPresenter { void switchNavigation(int id); }
18.2
54
0.747253
a7dee8e23fff702d03c4d2d6470fcde3780b6f65
3,501
/******************************************************************************* * Copyright (c) 2000, 2010 IBM Corporation and others. * All rights reserved. This program and the accompanying materials * are made available under the terms of the Eclipse Public License v1.0 * which accompanies this distribution, and is available at * http://www.eclipse.org/legal/epl-v10.html * * Contributors: * IBM Corporation - initial API and implementation *******************************************************************************/ package org.eclipse.jdt.internal.corext; import java.util.Arrays; import java.util.Comparator; import org.eclipse.jdt.core.ISourceRange; import org.eclipse.jdt.core.compiler.IProblem; import org.eclipse.jdt.core.dom.ASTNode; /** * DO NOT REMOVE, used in a product. * @deprecated As of 3.6, replaced by {@link org.eclipse.jdt.core.SourceRange} */ public class SourceRange implements ISourceRange { // see https://bugs.eclipse.org/bugs/show_bug.cgi?id=88265 (Allow implementation of ISourceRange) private final int fOffset; private final int fLength; public SourceRange(int offset, int length){ fLength= length; fOffset= offset; } public SourceRange(ASTNode node) { this(node.getStartPosition(), node.getLength()); } public SourceRange(IProblem problem) { this(problem.getSourceStart(), problem.getSourceEnd() - problem.getSourceStart() + 1); } /* * @see ISourceRange#getLength() */ public int getLength() { return fLength; } /* * @see ISourceRange#getOffset() */ public int getOffset() { return fOffset; } public int getEndExclusive() { return getOffset() + getLength(); } public int getEndInclusive() { return getEndExclusive() - 1; } /*non java doc * for debugging only */ public String toString(){ return "<offset: " + fOffset +" length: " + fLength + "/>"; //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ } /** * Sorts the given ranges by offset (backwards). * Note: modifies the parameter. * @param ranges the ranges to sort * @return the sorted ranges, which are identical to the parameter ranges */ public static ISourceRange[] reverseSortByOffset(ISourceRange[] ranges){ Comparator comparator= new Comparator(){ public int compare(Object o1, Object o2){ return ((ISourceRange)o2).getOffset() - ((ISourceRange)o1).getOffset(); } }; Arrays.sort(ranges, comparator); return ranges; } /* * @see Object#equals(Object) */ public boolean equals(Object obj) { if (! (obj instanceof ISourceRange)) return false; return ((ISourceRange)obj).getOffset() == fOffset && ((ISourceRange)obj).getLength() == fLength; } /* * @see Object#hashCode() */ public int hashCode() { return fLength ^ fOffset; } public boolean covers(ASTNode node) { return covers(new SourceRange(node)); } public boolean covers(SourceRange range) { return getOffset() <= range.getOffset() && getEndInclusive() >= range.getEndInclusive(); } /** * Workaround for https://bugs.eclipse.org/bugs/show_bug.cgi?id=130161 * (Java Model returns ISourceRanges [-1, 0] if source not available). * * @param range a source range, can be <code>null</code> * @return <code>true</code> iff range is not null and range.getOffset() is not -1 */ public static boolean isAvailable(ISourceRange range) { return range != null && range.getOffset() != -1; } }
28.008
148
0.643816
98fd580d1e5d76d56f1e11f1bb0611b6326e0114
2,378
package com.aibibang.web.generator.entity; import java.io.Serializable; import com.aibibang.common.base.BaseEntity; public class CgDataSource extends BaseEntity implements Serializable { private static final long serialVersionUID = 1L; private String description; private String databaseType; private String databaseName; private String server; private String port; private String username; private String password; public String getDiverName(){ String diverName = null; if("mysql".equals(this.databaseType)){ diverName = "com.mysql.jdbc.Driver"; } else if("oracle".equals(this.databaseType)){ diverName = "oracle.jdbc.driver.OracleDriver"; } else if("sqlserver".equals(this.databaseType)){ diverName = "com.microsoft.sqlserver.jdbc.SQLServerDriver"; } return diverName; } public String getUrl(){ String url = null; if("mysql".equals(this.databaseType)){ url = "jdbc:mysql://"+ this.server +":"+ this.port +"/" + this.databaseName +"?useUnicode=true&characterEncoding=UTF-8"; } else if("oracle".equals(this.databaseType)){ url = "jdbc:oracle:thin:@"+ this.server +":"+ this.port +":"+ this.databaseName; } else if("sqlserver".equals(this.databaseType)){ url = "jdbc:sqlserver://"+ this.server +":"+ this.port +";DatabaseName="+ this.databaseName; } return url; } public String getDescription() { return description; } public void setDescription(String description) { this.description = description; } public String getDatabaseType() { return databaseType; } public void setDatabaseType(String databaseType) { this.databaseType = databaseType; } public String getDatabaseName() { return databaseName; } public void setDatabaseName(String databaseName) { this.databaseName = databaseName; } public String getServer() { return server; } public void setServer(String server) { this.server = server; } public String getPort() { return port; } public void setPort(String port) { this.port = port; } public String getUsername() { return username; } public void setUsername(String username) { this.username = username; } public String getPassword() { return password; } public void setPassword(String password) { this.password = password; } }
24.770833
96
0.68545
17da6c7a749c7b7641ec1fa0e836bc0391f5fe6a
602
package threadpool.stop; import java.util.concurrent.ExecutorService; import java.util.concurrent.Executors; import java.util.concurrent.TimeUnit; /** * This example demonstrate the right way to stop a thread pool. */ public class Main { public static void main(String[] args) throws InterruptedException { final ExecutorService executor = Executors.newCachedThreadPool(); for (int i = 0; i < 3; i++) { executor.submit(new Task()); } Thread.sleep(3000); executor.shutdownNow(); executor.awaitTermination(3, TimeUnit.SECONDS); } }
28.666667
73
0.677741
68a3904050cfe361cc1eeb0a946212dcd3ff0ebf
3,014
/** * Copyright &copy; 2012-2016 <a href="https://github.com/thinkgem/jeesite">JeeSite</a> All rights reserved. */ package com.thinkgem.jeesite.modules.witcm.business.entity; import com.thinkgem.jeesite.modules.witcm.resident.entity.Resident; import org.hibernate.validator.constraints.Length; import com.thinkgem.jeesite.modules.sys.entity.Office; import com.thinkgem.jeesite.common.persistence.DataEntity; /** * 订单Entity * @author liyongfang * @version 2017-12-04 */ public class Orders extends DataEntity<Orders> { private static final long serialVersionUID = 1L; private Resident resident; // 居民ID private String businessId; private Goods goods; // 商品ID private String code; // 订单编号 private String numbers; // 数量 private String units; // 单位 private String status; // 订单状态 private String comStatus;//评论状态 private Office belongOrg; // 归属机构 private String belongArea; // 归属单位 private String statusString; public Orders() { super(); } public Orders(String id){ super(id); } public Resident getResident() { return resident; } public void setResident(Resident resident) { this.resident = resident; } public void setResidentOrgId(String id){ if(this.resident==null){ setResident( new Resident()); } if(this.resident.getBelongOrg()==null){ Office office = new Office(); office.setId(id); this.resident.setBelongOrg(office); }else{ this.resident.getBelongOrg().setId(id); } } public String getBusinessId() { return businessId; } public void setBusinessId(String businessId) { this.businessId = businessId; } public Goods getGoods() { return goods; } public void setGoods(Goods goods) { this.goods = goods; } @Length(min=0, max=30, message="订单编号长度必须介于 0 和 30 之间") public String getCode() { return code; } public void setCode(String code) { this.code = code; } @Length(min=0, max=11, message="数量长度必须介于 0 和 11 之间") public String getNumbers() { return numbers; } public void setNumbers(String numbers) { this.numbers = numbers; } @Length(min=0, max=10, message="单位长度必须介于 0 和 10 之间") public String getUnits() { return units; } public void setUnits(String units) { this.units = units; } @Length(min=0, max=2, message="订单状态长度必须介于 0 和 2 之间") public String getStatus() { return status; } public void setStatus(String status) { this.status = status; } public String getComStatus() { return comStatus; } public void setComStatus(String comStatus) { this.comStatus = comStatus; } public Office getBelongOrg() { return belongOrg; } public void setBelongOrg(Office belongOrg) { this.belongOrg = belongOrg; } @Length(min=0, max=64, message="归属单位长度必须介于 0 和 64 之间") public String getBelongArea() { return belongArea; } public void setBelongArea(String belongArea) { this.belongArea = belongArea; } public String getStatusString() { return statusString; } public void setStatusString(String statusString) { this.statusString = statusString; } }
20.786207
108
0.709025
88f21af81289003a7254cfcee275daee7d3c7095
2,605
package com.platform.xss; import jline.internal.Log; import org.apache.commons.lang.StringUtils; import javax.servlet.*; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import java.io.IOException; import java.util.Arrays; import java.util.HashSet; import java.util.Set; /** * XSS过滤 * * @author lipengjun * @email [email protected] * @date 2017-04-01 10:20 */ public class XssFilter implements Filter { //需要排除过滤的url private String excludedPages; private String[] excludedPageArray; @Override public void init(FilterConfig config) throws ServletException { excludedPages = config.getInitParameter("excludedPages"); if (StringUtils.isNotEmpty(excludedPages)) { excludedPageArray = excludedPages.split(","); } } public void doFilter(ServletRequest request, ServletResponse response, FilterChain chain) throws IOException, ServletException { // XssHttpServletRequestWrapper xssRequest = new XssHttpServletRequestWrapper((HttpServletRequest) request); // // boolean isExcludedPage = false; // for (String page : excludedPageArray) { // //判断是否在过滤url之外 // if (((HttpServletRequest) request).getServletPath().equals(page)) { // isExcludedPage = true; // break; // } // } // if (isExcludedPage) { // //排除过滤url // chain.doFilter(request, response); // } else { // chain.doFilter(xssRequest, response); // } HttpServletRequest req = (HttpServletRequest) request; HttpServletResponse res = (HttpServletResponse) response; String type = req.getMethod(); String[] allowDomains = {"http://127.0.0.1:8020", "http://localhost:8020", "http://127.0.0.1:8080", "http://localhost:8080", "http://127.0.0.1:80", "http://localhost:80"}; Set allowOrigins = new HashSet(Arrays.asList(allowDomains)); String originHeads = req.getHeader("Origin"); if(allowOrigins.contains(originHeads)){ //设置允许跨域的配置 // 这里填写你允许进行跨域的主机ip(正式上线时可以动态配置具体允许的域名和IP) res.setHeader("Access-Control-Allow-Origin", originHeads); } res.setHeader("Access-Control-Allow-Credentials", "true"); res.setHeader("Access-Control-Allow-Methods", "POST, GET, PATCH, DELETE, PUT, OPTIONS"); res.setHeader("Access-Control-Allow-Headers", "Origin, X-Requested-With, Content-Type, Accept"); chain.doFilter(request, res); } @Override public void destroy() { } }
35.202703
179
0.65144
d3ee71518096c38b39af025703bfb136cb541ddc
337
package com.mana_wars.presentation.view; import com.mana_wars.model.entity.skills.Skill; import com.mana_wars.model.entity.ShopSkill; public interface ShopView extends BaseView { void openSkillCaseWindow(Skill skill); void setSkillCasesNumber(int number); void setPurchasableSkills(Iterable<? extends ShopSkill> skills); }
30.636364
68
0.801187
d1cce089f6858020c144a210a5ffb3b8eb6dec42
5,306
/* Copyright 2014 Sven van der Meer <[email protected]> * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package de.vandermeer.skb.base.shell; import java.util.ArrayList; import java.util.LinkedHashMap; import java.util.List; import java.util.Map; import java.util.Map.Entry; import org.apache.commons.lang3.StringUtils; /** * A line parser for the {@link SkbShell}. * * @author Sven van der Meer &lt;[email protected]&gt; * @version v0.2.0 build 170404 (04-Apr-17) for Java 1.8 * @since v0.0.8 */ public class LineParser { /** Original line to parse. */ protected String line; /** Current position of the parser in the token stream. */ protected int tokenPosition = 1; /** * Returns a new command parser for a given command line. * @param line command line */ public LineParser(String line){ this.line = StringUtils.trim(line); } /** * Sets the parsers position in the token stream. * @param pos new position * @return self to allow for chaining */ public LineParser setTokenPosition(int pos){ this.tokenPosition = pos; return this; } /** * Returns the original command line. * @return original command line */ public String getLine(){ return this.line; } /** * Returns an array of all tokens being parsed. * @return token array */ public String getToken(){ if(this.tokenPosition>0){ String[] ar = StringUtils.split(this.line, null, this.tokenPosition+1); if(ar!=null && ar.length>(this.tokenPosition-1)){ return StringUtils.trim(ar[this.tokenPosition-1]); } } return null; } /** * Returns an string of all tokens that can be considered being command arguments, using the current token position. * @return argument string */ public String getArgs(){ int count = (this.tokenPosition==0)?1:this.tokenPosition+1; String[] ar = StringUtils.split(this.line, null, count); if(ar!=null && ar.length>(this.tokenPosition)){ return StringUtils.trim(ar[this.tokenPosition]); } return null; } /** * Returns a list of all tokens that can be considered being command arguments, using the current token position. * @return argument list */ public ArrayList<String> getArgList(){ ArrayList<String> ret = new ArrayList<String>(); String[] ar = StringUtils.split(this.getArgs()); if(ar!=null){ for(String s : ar){ ret.add(StringUtils.trim(s)); } } return ret; } /** * Returns a map of all tokens that can be considered being command arguments, using the current token position. * @return argument map, using ':' as key/value separator (and naturally white spaces as separator between pairs) */ public Map<String, String> getArgMap(){ Map<String, String> ret = new LinkedHashMap<String, String>(); String[] ar = StringUtils.split(this.getArgs(), ','); if(ar!=null){ for(String s : ar){ String[] kv = StringUtils.split(s, ":", 2); if(kv!=null && kv.length==2){ ret.put(StringUtils.trim(kv[0]), StringUtils.trim(kv[1])); } else{ //TODO error log? } } } return ret; } /** * Returns an argument map fitting the given value key set (using defined types). * @param arguments input arguments to test arguments against * @return argument map with correct value types */ public Map<SkbShellArgument, Object> getArgMap(SkbShellArgument[] arguments){ Map<SkbShellArgument, Object> ret = new LinkedHashMap<SkbShellArgument, Object>(); if(arguments!=null){ for(Entry<String, String> entry : this.getArgMap().entrySet()){ for(SkbShellArgument ssa : arguments){ if(ssa.getKey().equals(entry.getKey())){ switch(ssa.getType()){ case Boolean: ret.put(ssa, Boolean.valueOf(entry.getValue())); break; case Double: ret.put(ssa, Double.valueOf(entry.getValue())); break; case Integer: ret.put(ssa, Integer.valueOf(entry.getValue())); break; case String: ret.put(ssa, entry.getValue()); break; case ListString: String[] ar = StringUtils.split(entry.getValue(), ';'); if(ar!=null){ List<String> val = new ArrayList<>(); for(String s : ar){ val.add(s); } ret.put(ssa, val); } break; case ListInteger: String[] arInt = StringUtils.split(entry.getValue(), ';'); if(arInt!=null){ List<Integer> valInt = new ArrayList<>(); for(String s : arInt){ valInt.add(Integer.valueOf(s)); } ret.put(ssa, valInt); } break; default: System.err.println("parser.getArgMap --> argument type not yet supported: " + ssa.getType());//TODO do not use syserr prints break; } } } } } return ret; } }
28.526882
132
0.650584
4c1f4a23e5c199cf305f5a9a13be1d4aa178c628
12,384
/* * Copyright (C) 2006 The Android Open Source Project * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.github.curioustechizen.xlog; import java.io.BufferedWriter; import java.io.File; import java.io.FileWriter; import java.io.IOException; import java.io.PrintWriter; import java.io.StringWriter; import java.net.UnknownHostException; import java.text.SimpleDateFormat; import java.util.Date; import android.content.Context; /** * * Wrapper around {@code android.util.Log} that optionally logs to a file in addition to logging to LogCat. * This is useful as a debugging tool to get logs from users. * <p/> * This is <strong>not</strong> meant as a replacement for more sophisticated solutions like <a href="http://acra.ch/">ACRA</a>. * <p/> * The goal is to have the <em>same API</em> as {@code android.util.Log} so that your existing code that uses {@code android.util.Log} can be made to log to a file by simply changing the imports. * There is one additional step required - initialize the Log with the file path. This can be done once per app, for example in your sub-class of {@code android.app.Application}. * <p/> * Note that logging to a file is expensive and should only be present in special debug builds (not even in your regular debug builds - which might write only to LogCat). This is the reason an additional {@code boolean} has been provided in the {@code init} method. * * * @author Kiran Rao */ public final class Log { /** * Priority constant for the println method; use Log.v. */ public static final int VERBOSE = 2; /** * Priority constant for the println method; use Log.d. */ public static final int DEBUG = 3; /** * Priority constant for the println method; use Log.i. */ public static final int INFO = 4; /** * Priority constant for the println method; use Log.w. */ public static final int WARN = 5; /** * Priority constant for the println method; use Log.e. */ public static final int ERROR = 6; /** * Priority constant for the println method. */ public static final int ASSERT = 7; private static final String LOG_TIME_STAMP_FORMAT = "HH:mm:ss.SSS"; private static File sLogFile; private static BufferedWriter sBufferedFileWriter; private static boolean sLogToFile; /* * The context is not used currently, but it might be used in a future release - for example - to create a Share Intent for the log contents. */ private static Context sContext; private Log() { } /** * Initialize the logger. This is typically done once per app. * <br> * If this method is not called to initialize the logger, then this class behaves just like {@code android.util.Log}. * @param context * The Android context. * @param logToFile * Whether to log to file. * If {@code false}, then all subsequent calls will just log to LogCat. * If {@code true}, then all subsequent calls will log to both LogCat as well as to the specified file. * @param file * The file to log to. This file will be cleared if it already exists. * @throws IOException */ public static void init(Context context, boolean logToFile, File file) throws IOException{ sContext = context; sLogToFile = logToFile; if(sLogToFile){ sLogFile = file; sBufferedFileWriter = new BufferedWriter(new FileWriter(sLogFile, false)); } } private static void ensurePathInitialized(){ if(sLogFile == null) throw new IllegalStateException("File path not initialized. Have you called Log.init() method?"); } /** * Send a {@link #VERBOSE} log message. * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param msg The message you would like logged. */ public static int v(String tag, String msg) { return printlnInternal(VERBOSE, tag, msg); } /** * Send a {@link #VERBOSE} log message and log the exception. * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param msg The message you would like logged. * @param tr An exception to log */ public static int v(String tag, String msg, Throwable tr) { return printlnInternal(VERBOSE, tag, msg + '\n' + getStackTraceString(tr)); } /** * Send a {@link #DEBUG} log message. * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param msg The message you would like logged. */ public static int d(String tag, String msg) { return printlnInternal(DEBUG, tag, msg); } /** * Send a {@link #DEBUG} log message and log the exception. * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param msg The message you would like logged. * @param tr An exception to log */ public static int d(String tag, String msg, Throwable tr) { return printlnInternal(DEBUG, tag, msg + '\n' + getStackTraceString(tr)); } /** * Send an {@link #INFO} log message. * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param msg The message you would like logged. */ public static int i(String tag, String msg) { return printlnInternal(INFO, tag, msg); } /** * Send a {@link #INFO} log message and log the exception. * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param msg The message you would like logged. * @param tr An exception to log */ public static int i(String tag, String msg, Throwable tr) { return printlnInternal(INFO, tag, msg + '\n' + getStackTraceString(tr)); } /** * Send a {@link #WARN} log message. * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param msg The message you would like logged. */ public static int w(String tag, String msg) { return printlnInternal(WARN, tag, msg); } /** * Send a {@link #WARN} log message and log the exception. * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param msg The message you would like logged. * @param tr An exception to log */ public static int w(String tag, String msg, Throwable tr) { return printlnInternal(WARN, tag, msg + '\n' + getStackTraceString(tr)); } /** * Checks to see whether or not a log for the specified tag is loggable at the specified level. * * The default level of any tag is set to INFO. This means that any level above and including * INFO will be logged. Before you make any calls to a logging method you should check to see * if your tag should be logged. You can change the default level by setting a system property: * 'setprop log.tag.&lt;YOUR_LOG_TAG> &lt;LEVEL>' * Where level is either VERBOSE, DEBUG, INFO, WARN, ERROR, ASSERT, or SUPPRESS. SUPPRESS will * turn off all logging for your tag. You can also create a local.prop file that with the * following in it: * 'log.tag.&lt;YOUR_LOG_TAG>=&lt;LEVEL>' * and place that in /data/local.prop. * * @param tag The tag to check. * @param level The level to check. * @return Whether or not that this is allowed to be logged. * @throws IllegalArgumentException is thrown if the tag.length() > 23. */ public static boolean isLoggable(String tag, int level){ return android.util.Log.isLoggable(tag, level); } /** * Send a {@link #WARN} log message and log the exception. * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param tr An exception to log */ public static int w(String tag, Throwable tr) { return printlnInternal(WARN, tag, getStackTraceString(tr)); } /** * Send an {@link #ERROR} log message. * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param msg The message you would like logged. */ public static int e(String tag, String msg) { return printlnInternal(ERROR, tag, msg); } /** * Send a {@link #ERROR} log message and log the exception. * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param msg The message you would like logged. * @param tr An exception to log */ public static int e(String tag, String msg, Throwable tr) { return printlnInternal(ERROR, tag, msg + '\n' + getStackTraceString(tr)); } /** * Handy function to get a loggable stack trace from a Throwable * @param tr An exception to log */ public static String getStackTraceString(Throwable tr) { if (tr == null) { return ""; } // This is to reduce the amount of log spew that apps do in the non-error // condition of the network being unavailable. Throwable t = tr; while (t != null) { if (t instanceof UnknownHostException) { return ""; } t = t.getCause(); } StringWriter sw = new StringWriter(); PrintWriter pw = new PrintWriter(sw); tr.printStackTrace(pw); pw.flush(); return sw.toString(); } /** * Low-level logging call. * @param priority The priority/type of this log message * @param tag Used to identify the source of a log message. It usually identifies * the class or activity where the log call occurs. * @param msg The message you would like logged. * @return The number of bytes written. */ public static int println(int priority, String tag, String msg) { return printlnInternal(priority, tag, msg); } private static int printlnInternal(int priority, String tag, String msg){ if(sLogToFile){ ensurePathInitialized(); SimpleDateFormat sdf = new SimpleDateFormat(LOG_TIME_STAMP_FORMAT); StringBuilder sb = new StringBuilder(sdf.format(new Date())) .append("\t").append(getDisplayForPriority(priority)) .append("\t").append(tag) .append("\t").append(msg); try { if(sBufferedFileWriter != null){ sBufferedFileWriter.write(sb.toString(), 0, sb.length()); sBufferedFileWriter.newLine(); sBufferedFileWriter.flush(); } } catch (IOException e) { /* * If there is any problem while writing the log, just print to logcat and continue. * Don't crash or abort! */ e.printStackTrace(); } } return android.util.Log.println(priority, tag, msg); } private static final String [] PRIORITY_DISPLAY_STRINGS = {"", "", "V", "D", "I", "W" , "E", "A"}; private static String getDisplayForPriority(int priority) { return PRIORITY_DISPLAY_STRINGS[priority]; } }
37.189189
265
0.644622
55592bb86529a7858a6f9016d48e7b713255c3a1
8,179
/* * Copyright 2019 Red Hat, Inc. and/or its affiliates. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.ait.lienzo.client.widget.panel.mediators; import java.util.function.Consumer; import java.util.function.Supplier; import com.ait.lienzo.client.core.mediator.MouseBoxZoomMediator; import com.ait.lienzo.client.core.shape.Layer; import com.ait.lienzo.client.core.shape.Scene; import com.ait.lienzo.client.core.shape.Viewport; import com.ait.lienzo.client.core.types.BoundingBox; import com.ait.lienzo.client.core.types.Transform; import com.ait.lienzo.client.widget.panel.Bounds; import com.ait.lienzo.client.widget.panel.LienzoPanel; import com.ait.lienzo.client.widget.panel.impl.LienzoFixedPanel; import com.ait.lienzo.client.widget.panel.impl.PreviewLayer; import com.ait.lienzo.client.widget.panel.impl.ScrollablePanel; import com.ait.lienzo.test.LienzoMockitoTestRunner; import elemental2.dom.CSSStyleDeclaration; import elemental2.dom.HTMLDivElement; import org.junit.Before; import org.junit.Test; import org.junit.runner.RunWith; import org.mockito.ArgumentCaptor; import org.mockito.Mock; import static org.junit.Assert.assertEquals; import static org.junit.Assert.assertFalse; import static org.junit.Assert.assertNotNull; import static org.junit.Assert.assertNull; import static org.junit.Assert.assertTrue; import static org.mockito.Matchers.any; import static org.mockito.Matchers.eq; import static org.mockito.Mockito.mock; import static org.mockito.Mockito.spy; import static org.mockito.Mockito.times; import static org.mockito.Mockito.verify; import static org.mockito.Mockito.when; @RunWith(LienzoMockitoTestRunner.class) public class PanelPreviewMediatorTest { private static final int WIDTH = 1200; private static final int HEIGHT = 600; private static final double MAX_SCALE = 0.5; @Mock private ScrollablePanel panel; @Mock private HTMLDivElement panelContainer; @Mock private HTMLDivElement scrollPanel; private PanelPreviewMediator tested; private LienzoFixedPanel previewPanel; private Layer layer; @Before public void setUp() { Scene scene = new Scene(); layer = spy(new Layer()); scene.add(layer); when(panel.getLayer()).thenReturn(layer); when(panel.getDomElementContainer()).thenReturn(panelContainer); when(panel.getElement()).thenReturn(scrollPanel); when(panel.getWidePx()).thenReturn(WIDTH); when(panel.getHighPx()).thenReturn(HEIGHT); previewPanel = spy(LienzoFixedPanel.newPanel(1, 1)); tested = new PanelPreviewMediator(() -> panel, new Consumer<HTMLDivElement>() { @Override public void accept(HTMLDivElement htmlDivElement) { panelContainer.appendChild(htmlDivElement); } @Override public Consumer<HTMLDivElement> andThen(Consumer<? super HTMLDivElement> after) { return null; } }, ()-> previewPanel); tested.setMaxScale(MAX_SCALE); } @Test public void testConstruction() { verify(panelContainer, times(1)).appendChild(any(HTMLDivElement.class)); assertNotNull(tested.getPreviewLayer()); PreviewLayer previewLayer = tested.getPreviewLayer(); assertTrue(previewLayer.isListening()); assertTrue(previewLayer.isTransformable()); assertNotNull(tested.getPreviewPanel()); LienzoPanel previewPanel = tested.getPreviewPanel(); assertEquals("none", previewPanel.getElement().style.display); assertEquals(previewLayer, previewLayer.getLayer()); assertNotNull(tested.getMediator()); MouseBoxZoomMediator mediator = tested.getMediator(); assertEquals(mediator, previewLayer.getViewport().getMediators().pop()); assertFalse(mediator.isEnabled()); } @Test public void testMouseBoxZoomMediatorTransformCallback() { Viewport viewport = mock(Viewport.class); when(layer.getViewport()).thenReturn(viewport); tested.getMediator().setEnabled(true); Transform transform = new Transform().translate(2, 3).scaleWithXY(4, 5); tested.getMediator().getOnTransform().accept(transform); verify(viewport, times(1)).setTransform(eq(new Transform().translate(2, 3).scaleWithXY(4, 5))); assertFalse(tested.getMediator().isEnabled()); } @Test @SuppressWarnings("unchecked") public void testEnable() { HTMLDivElement previewPanelElement = mock(HTMLDivElement.class); CSSStyleDeclaration previewPanelStyle = mock(CSSStyleDeclaration.class); when(previewPanel.getElement()).thenReturn(previewPanelElement); previewPanelElement.style = previewPanelStyle; when(panel.getLayerBounds()).thenReturn(Bounds.build(0, 0, WIDTH / 2, HEIGHT / 2)); tested.enable(); assertTrue(tested.getPreviewLayer().isListening()); assertFalse(layer.isListening()); assertFalse(layer.isVisible()); assertEquals("absolute", previewPanelStyle.position); assertEquals("0px", previewPanelStyle.top); assertEquals("0px", previewPanelStyle.left); assertEquals("none", previewPanelStyle.borderStyle); assertEquals(PanelPreviewMediator.PREVIEW_BG_COLOR, previewPanelStyle.backgroundColor); verify(previewPanel, times(1)).setPixelSize(WIDTH, HEIGHT); Transform previewTransform = tested.getPreviewLayer().getViewport().getTransform(); assertEquals(0.5833333333333334d, previewTransform.getScaleX(), 0d); assertEquals(0.5833333333333334d, previewTransform.getScaleY(), 0d); assertEquals(250d, previewTransform.getTranslateX(), 0d); assertEquals(250d, previewTransform.getTranslateY(), 0d); ArgumentCaptor<Supplier> transformCaptor = ArgumentCaptor.forClass(Supplier.class); verify(layer, times(1)).drawWithTransforms(eq(tested.getPreviewLayer().getContext()), eq(1d), eq(BoundingBox.fromDoubles(0, 0, WIDTH, HEIGHT)), transformCaptor.capture()); Supplier<Transform> drawTranform = transformCaptor.getValue(); assertEquals(previewTransform, drawTranform.get()); assertEquals(MAX_SCALE, tested.getMediator().getMaxScale(), 0d); assertTrue(tested.getMediator().isEnabled()); assertTrue(tested.isEnabled()); } @Test public void testDisable() { tested.onDisable(); assertFalse(tested.getMediator().isEnabled()); assertEquals(0, tested.getPreviewLayer().length()); assertEquals(1, tested.getPreviewPanel().getWidePx()); assertEquals(1, tested.getPreviewPanel().getHighPx()); assertEquals("none", tested.getPreviewPanel().getElement().style.display); assertTrue(layer.isVisible()); assertFalse(tested.isEnabled()); } @Test public void testOnRemoveHandler() { tested.removeHandler(); assertFalse(tested.getMediator().isEnabled()); assertNull(tested.getMediator().getOnTransform()); assertEquals(0, tested.getPreviewLayer().length()); assertEquals(1, tested.getPreviewPanel().getWidePx()); assertEquals(1, tested.getPreviewPanel().getHighPx()); assertEquals("none", tested.getPreviewPanel().getElement().style.display); assertTrue(layer.isVisible()); assertFalse(tested.isEnabled()); verify(previewPanel, times(1)).removeAll(); } }
42.598958
103
0.69654
ce3a4e17e8e3085f23cd033c5f344e044848d8ef
710
package practice.klotskiBlockThing; public class ShapeCatalog { public static boolean UNIT[][] = new boolean[][] {{true}}; public static boolean I[][] = new boolean[][] {{true}, {true}}; public static boolean DASH[][] = new boolean[][] {{true, true}}; public static boolean BOX[][] = new boolean[][] {{true, true}, {true, true}}; public static boolean L[][] = new boolean[][] {{true, false}, {true, true}}; public static boolean L90[][] = new boolean[][] {{true, true}, {true, false}}; public static boolean L180[][] = new boolean[][] {{true, true}, {false, true}}; public static boolean L270[][] = new boolean[][] {{false, true}, {true, true}}; //TODO: Add to shape catalog for set 2. }
33.809524
80
0.623944
2bb7217a9b22eef81c4ee5704e474670a0d5f2e3
23,503
/** * Copyright (c) 2019,2020 honintech * * Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the “Software”), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED “AS IS”, WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * */ package cn.weforward.gateway.core; import java.util.ArrayList; import java.util.Arrays; import java.util.Collections; import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.concurrent.Executor; import java.util.concurrent.atomic.AtomicInteger; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import cn.weforward.common.NameItem; import cn.weforward.common.execption.BusyException; import cn.weforward.common.util.LruCache; import cn.weforward.common.util.StringUtil; import cn.weforward.common.util.TransList; import cn.weforward.gateway.AccessLoaderExt; import cn.weforward.gateway.Configure; import cn.weforward.gateway.ServiceInstance; import cn.weforward.gateway.StreamTunnel; import cn.weforward.gateway.Tunnel; import cn.weforward.gateway.exception.BalanceException; import cn.weforward.gateway.exception.DebugServiceException; import cn.weforward.gateway.exception.QuotasException; import cn.weforward.gateway.ops.trace.ServiceTracer; import cn.weforward.protocol.Access; import cn.weforward.protocol.Header; import cn.weforward.protocol.ResponseConstants; import cn.weforward.protocol.Service; import cn.weforward.protocol.aio.netty.NettyHttpClientFactory; import cn.weforward.protocol.datatype.DtObject; import cn.weforward.protocol.doc.ServiceDocument; import cn.weforward.protocol.exception.WeforwardException; import cn.weforward.protocol.ext.Producer; import cn.weforward.protocol.ops.AccessExt; import cn.weforward.protocol.ops.ServiceExt; import cn.weforward.protocol.ops.traffic.TrafficTableItem; import io.micrometer.core.instrument.MeterRegistry; /** * 微服务实例的调度器 * * @author zhangpengji * */ public class ServiceInstanceBalance { static final Logger _Logger = LoggerFactory.getLogger(ServiceInstanceBalance.class); protected GatewayImpl m_Gateway; protected String m_Name; /** 微服务端点列表 */ protected ServiceEndpoint[] m_Endpoints; /** 有效的端点数 */ protected volatile int m_EndpointValids; /** 所有端点的并发数 */ protected AtomicInteger m_Concurrent; /** 微服务文档的加载锁 */ private final Object m_DocLock = new Object(); public ServiceInstanceBalance(GatewayImpl gateway, String name) { m_Gateway = gateway; m_Name = name; m_Concurrent = new AtomicInteger(0); } public String getName() { return m_Name; } public synchronized void reinit(List<ServiceInstance> services) { ServiceEndpoint[] eps = new ServiceEndpoint[services.size()]; int offset = 0; for (ServiceInstance s : services) { ServiceEndpoint ep = openEndpoint(s); if (null != ep) { eps[offset++] = ep; } } reinit(Arrays.copyOf(eps, offset)); } private synchronized void reinit(ServiceEndpoint... elements) { if (null == elements || 0 == elements.length) { m_Endpoints = null; return; } m_Endpoints = elements; } public long getRpcCount() { ServiceEndpoint[] endpoints = m_Endpoints; if (null == endpoints) { return 0; } long count = 0; for (ServiceEndpoint ep : endpoints) { count += ep.times; } return count; } public long getRpcConcurrent() { ServiceEndpoint[] endpoints = m_Endpoints; if (null == endpoints) { return 0; } long count = 0; for (ServiceEndpoint ep : endpoints) { count += ep.concurrent; } return count; } public long getRpcFail() { ServiceEndpoint[] endpoints = m_Endpoints; if (null == endpoints) { return 0; } long count = 0; for (ServiceEndpoint ep : endpoints) { count += ep.failTotal; } return count; } public int getEndpointCount() { return null == m_Endpoints ? 0 : m_Endpoints.length; } public synchronized void put(ServiceInstance service) { if (null == m_Endpoints) { ServiceEndpoint element = openEndpoint(service); if (null != element) { reinit(element); } return; } ServiceEndpoint[] endpoints = m_Endpoints; int idx = indexOf(endpoints, service); if (-1 == idx) { // 新服务项 ServiceEndpoint ep = openEndpoint(service); if (null != ep) { add(ep); } return; } ServiceEndpoint agent = endpoints[idx]; if (agent.updateService(service)) { // 微服务实例无变化 return; } // 更新资源项 ServiceEndpoint ep = openEndpoint(service); if (null != ep) { // 替换 replace(idx, ep); } else { // 移除 remove(idx); } } public synchronized void remove(ServiceInstance service) { if (null == m_Endpoints) { return; } ServiceEndpoint[] endpoints = m_Endpoints; int idx = indexOf(endpoints, service); if (-1 != idx) { remove(idx); } } public synchronized void timeout(ServiceInstance service) { if (null == m_Endpoints) { return; } ServiceEndpoint[] endpoints = m_Endpoints; int idx = indexOf(endpoints, service); if (-1 != idx) { endpoints[idx].setFailTimeout(24 * 3600 * 1000); } } private static int indexOf(ServiceEndpoint[] endpoints, ServiceInstance service) { int idx = -1; for (int i = 0; i < endpoints.length; i++) { ServiceEndpoint ep = endpoints[i]; if (ep.getId().equals(service.getId())) { idx = i; break; } } return idx; } private synchronized void add(ServiceEndpoint ep) { ServiceEndpoint[] eps = cloneEndpoints(1); eps[eps.length - 1] = ep; reinit(eps); } private ServiceEndpoint[] cloneEndpoints(int extend) { ServiceEndpoint[] old = m_Endpoints; if (null == old) { return null; } return Arrays.copyOf(old, old.length + extend); } private synchronized void replace(int idx, ServiceEndpoint ep) { ServiceEndpoint[] eps = cloneEndpoints(0); eps[idx] = ep; reinit(eps); } private synchronized void remove(int idx) { ServiceEndpoint[] oldArr = m_Endpoints; if (1 == oldArr.length) { // 只有一项,直接清空 reinit(); return; } ServiceEndpoint[] newArr = new ServiceEndpoint[oldArr.length - 1]; if (idx > 0) { System.arraycopy(oldArr, 0, newArr, 0, idx); } if (newArr.length - idx > 0) { System.arraycopy(oldArr, idx + 1, newArr, idx, newArr.length - idx); } reinit(newArr); } /** * 打开一个资源项。若流量规则无效,则返回null * * @param ownerAccessId * @param info * @return */ private ServiceEndpoint openEndpoint(ServiceInstance service) { TrafficTableItem rule = findRule(service); if (null == rule || 0 == rule.getWeight()) { // 实例不可达 service.setInaccessible(true); return null; } service.setInaccessible(false); ServiceEndpoint ep = ServiceEndpoint.openEndpoint(this, service, rule); MeterRegistry registry = m_Gateway.m_MeterRegistry; if (null != ep && null != registry) { ep.startGauge(m_Gateway.m_ServerId, registry); } return ep; } TrafficTableItem findRule(Service service) { return m_Gateway.m_TrafficManage.findTrafficRule(service); } AccessExt getAccess(String id) { return m_Gateway.m_AccessManage.getAccess(id); } Access getValidAccess(String id) { return m_Gateway.m_AccessManage.getValidAccess(id); } Access getInternalAccess() { return m_Gateway.m_AccessManage.getInternalAccess(); } AccessLoaderExt getAccessLoaderExt() { return m_Gateway.m_AccessManage; } // int getEndpointValids(int max) { // int valids = m_EndpointValids; // if (valids >= max) { // return valids; // } // ServiceEndpoint[] eps = m_Endpoints; // if (valids >= eps.length || 1 == eps.length) { // return valids; // } // // 只能重新算了 // valids = 0; // for (ServiceEndpoint ep : eps) { // if (ep.isOverload() || ep.isFailDuring()) { // continue; // } // if (++valids >= max) { // break; // } // } // return valids; // } ServiceEndpoint get(String no, String version) throws BalanceException { return get(no, version, Collections.emptyList()); } /** * 根据负载均衡规则获取微服务实例端点。 * <p> * 使用完成后回调<code>free()</code>方法 * * @param no * @param version * @param excludeNos * @return * @see #free(ServiceEndpoint, int) * @throws BalanceException */ ServiceEndpoint get(String no, String version, List<String> excludeNos) throws BalanceException { int concurrent = m_Concurrent.get(); int quota = getQuotas().getQuota(m_Name, concurrent); if (concurrent > quota) { throw QuotasException.fullQuotas(m_Name, "{满额:" + concurrent + "/" + quota + ", max:" + getQuotas().getMax()); } boolean onlyBackup = false; if (StringUtil.isEmpty(no)) { no = null; } else if (ResponseConstants.FORWARD_TO_BACKUP.equals(no)) { onlyBackup = true; no = null; } if(null == excludeNos) { excludeNos = Collections.emptyList(); } ServiceEndpoint[] eps = m_Endpoints; if (1 == eps.length) { // 只有一项时,其它的逻辑都是多余的 ServiceEndpoint best = eps[0]; if (null == best) { // 还有这种事? m_EndpointValids = 0; return null; } synchronized (eps) { if (best.isOverload()) { m_EndpointValids = 0; throw BalanceException.overload(m_Name, String.valueOf(best)); } if (best.isFailDuring()) { m_EndpointValids = 0; // 先重罢失败状态,避免下次还是没能获取 best.resetAtFail(BalanceElement.FAIL_RESET_MIN_TIMEOUT); throw BalanceException.failDuring(m_Name, String.valueOf(best)); } m_EndpointValids = 1; if (!best.matchVersion(version)) { throw BalanceException.versionNotMatch(m_Name, String.valueOf(best)); } if ((onlyBackup && !best.isBackup()) || best.matchNos(excludeNos)) { throw BalanceException.exclude(m_Name, String.valueOf(best)); } // best.use(); use(best); return best; } } ServiceEndpoint best = null; int overloadCount = 0; int failCount = 0; int ew; int total = 0; boolean haveBackup = false; boolean isReferto = false; int valids = 0; // 以下这段算法参考自Nginx RR算法 // ngx_http_upstream_get_peer(ngx_http_upstream_rr_peer_data_t *rrp) for (int i = 0; i < eps.length; i++) { ServiceEndpoint element = eps[i]; if (element.isBackup()) { haveBackup = true; } if (element.isOverload()) { ++overloadCount; // 略过过载项 // _Logger.warn("overload:" + element); continue; } if (element.isFailDuring()) { ++failCount; // 略过失败项 // _Logger.warn("overload:" + element); continue; } valids++; // 最后再比较版本,让overloadCount、failCount可以正常统计 if (!element.matchVersion(version)) { continue; } if (element.matchNos(excludeNos)) { continue; } ew = (element.effectiveWeight > 0) ? element.effectiveWeight : 0; element.currentWeight += ew; total += ew; if (element.effectiveWeight < element.weight) { element.effectiveWeight++; } if (null != no && element.matchNo(no)) { // 使用符合referto的资源项 if (!isReferto || element.currentWeight > best.currentWeight) { best = element; isReferto = true; } continue; } // if((onlyBackup && !element.isBackup()) || (!onlyBackup && // element.isBackup())) if (onlyBackup != element.isBackup()) { continue; } if (best == null || (!isReferto && element.currentWeight > best.currentWeight)) { best = element; } } if (best == null && haveBackup && !onlyBackup) { // 只好在在后备资源中找 for (int i = eps.length - 1; i >= 0; i--) { ServiceEndpoint element = eps[i]; if (element.isOverload()) { // 过载保护 continue; } if (element.isFailDuring()) { // 略过失败的项 continue; } // 最后再比较版本,让overloadCount、failCount可以正常统计 if (!element.matchVersion(version)) { continue; } if (element.matchNos(excludeNos)) { continue; } ew = (element.effectiveWeight > 0) ? element.effectiveWeight : 0; element.currentWeight += ew; // if (element.isBackup()) { total += ew; // } if (element.effectiveWeight < element.weight) { element.effectiveWeight++; } else if (0 == element.effectiveWeight) { element.effectiveWeight = 1; } if (best == null || element.currentWeight > best.currentWeight) { best = element; } } } if (best == null) { // 没有best,重置所有失败项,避免下次还是没能获取 if (eps.length == failCount) { for (int i = eps.length - 1; i >= 0; i--) { ServiceEndpoint element = eps[i]; element.resetAtFail(BalanceElement.FAIL_RESET_MIN_TIMEOUT); } String err; // Quotas quotas = m_Quotas; // if (null == quotas) { err = "全失败{fail:" + failCount + ",over:" + overloadCount + "}"; // } else { // err = "全失败{fail:" + failCount + ",over:" + overloadCount // + ",quotas:" // + quotas + "}"; // } // throw new FailException(err); throw BalanceException.allFail(m_Name, err); } if (eps.length == overloadCount) { String err; // Quotas quotas = m_Quotas; // if (null == quotas) { err = "全过载{fail:" + failCount + ",over:" + overloadCount + "}"; // } else { // err = "全过载{fail:" + failCount + ",over:" + overloadCount // + ",quotas:" // + quotas + "}"; // } // throw new OverloadException(err); throw BalanceException.allOverload(m_Name, err); } String err; // Quotas quotas = m_Quotas; // if (null == quotas) { err = "全忙{fail:" + failCount + ",over:" + overloadCount + ",exclude:" + excludeNos + ",backup:" + onlyBackup + ",res:" + Arrays.toString(eps) + "}"; // } else { // err = "全忙{fail:" + failCount + ",over:" + overloadCount + // ",quotas:" + quotas // + "res:" + element + "}"; // } throw BalanceException.allBusy(m_Name, err); } m_EndpointValids = valids; best.currentWeight -= total; // best.use(); use(best); return best; } /** * 指定编号获取微服务实例端点 * <p> * 使用完成后回调<code>free()</code>方法 * * @param no * @param excludes * @return * @see #free(ServiceEndpoint, int) * @throws BusyException */ ServiceEndpoint select(String no) throws BalanceException { if (StringUtil.isEmpty(no)) { throw BalanceException.noNotMatch(m_Name, "无匹配的编号:" + no); } ServiceEndpoint[] eps = m_Endpoints; ServiceEndpoint best = null; for (ServiceEndpoint ep : eps) { if (!ep.matchNo(no)) { continue; } best = ep; if (best.isOverload()) { throw BalanceException.overload(m_Name, String.valueOf(best)); } if (best.isFailDuring()) { throw BalanceException.failDuring(m_Name, String.valueOf(best)); } break; } if (null == best) { throw BalanceException.noNotMatch(m_Name, "无匹配的编号:" + no); } // best.use(); use(best); return best; } private ServiceQuotas getQuotas() { return m_Gateway.getServiceQuotas(); } /** * 列举所有可用的端点 * * @return */ List<ServiceEndpoint> list() { ServiceEndpoint[] eps = m_Endpoints; if (null == eps || 0 == eps.length) { return Collections.emptyList(); } List<ServiceEndpoint> result = new ArrayList<ServiceEndpoint>(); for (ServiceEndpoint ep : eps) { if (ep.isOverload() || ep.isFailDuring()) { continue; } result.add(ep); } return result; } private void use(ServiceEndpoint endpoint) throws BalanceException { int concurrent = m_Concurrent.get(); getQuotas().use(m_Name, concurrent); m_Concurrent.incrementAndGet(); endpoint.use(); } /** * 释放微服务实例端点 * * @param endpoint * @param state */ void free(ServiceEndpoint endpoint, int state) { getQuotas().free(m_Name); m_Concurrent.decrementAndGet(); endpoint.free(state); } void onEndpointOverload(ServiceEndpoint ep) { m_Gateway.notifyServiceOverload(ep.getService()); } void onEndpointUnavailable(ServiceEndpoint ep) { m_Gateway.notifyServiceUnavailable(ep.getService()); } public void joint(Tunnel tunnel) { if (null == m_Endpoints) { tunnel.responseError(null, WeforwardException.CODE_SERVICE_NOT_FOUND, "微服务[" + m_Name + "]无可用实例"); return; } if (Header.CHANNEL_NOTIFY.equals(tunnel.getHeader().getChannel())) { // 由NotifyBridger接管通知处理 NotifyBridger bridger; try { bridger = new NotifyBridger(this, tunnel); } catch (Throwable e) { _Logger.error(e.toString(), e); tunnel.responseError(null, WeforwardException.CODE_INTERNAL_ERROR, "内部错误"); return; } bridger.connect(); return; } ServiceEndpoint ep; String serviceNo = tunnel.getHeader().getTag(); String serviceVersion = tunnel.getVersion(); try { ep = get(serviceNo, serviceVersion); } catch (BalanceException e) { _Logger.warn(e.toString()); int code = (e instanceof QuotasException) ? WeforwardException.CODE_GATEWAY_BUSY : WeforwardException.CODE_SERVICE_BUSY; tunnel.responseError(null, code, "微服务[" + m_Name + "]忙:" + e.getKeyword()); return; } if (!ep.getService().isForwardEnable() || m_Endpoints.length <= 1) { // 没启用转发,或者只有一个Endpoint ep.connect(tunnel, false); return; } int endpointValids = m_EndpointValids; if (endpointValids <= 1) { ep.connect(tunnel, false); return; } // 由ForwardBridger接管转发处理 int maxForward = Math.min(Configure.getInstance().getServiceForwardCount(), endpointValids - 1); ForwardBridger forwardBridger; try { forwardBridger = new ForwardBridger(this, tunnel, maxForward); } catch (Throwable e) { _Logger.error(e.toString(), e); tunnel.responseError(null, WeforwardException.CODE_INTERNAL_ERROR, "内部错误"); return; } forwardBridger.connect(ep); } public void jointByRelay(Tunnel tunnel) { String serviceNo = tunnel.getHeader().getServiceNo(); ServiceEndpoint ep; try { ep = select(serviceNo); } catch (BalanceException e) { _Logger.warn(e.toString()); int code; if(BalanceException.CODE_NO_NOT_MATCH.id == e.getCode() || BalanceException.CODE_FAIL_DURING.id == e.getCode()) { code = WeforwardException.CODE_SERVICE_UNAVAILABLE; } else { code = WeforwardException.CODE_SERVICE_BUSY; } tunnel.responseError(null, code, "微服务[" + m_Name + "]网格中继失败:" + e.getKeyword()); return; } ep.connect(tunnel, false); } public void joint(StreamTunnel tunnel) { if (null == m_Endpoints) { tunnel.responseError(null, StreamTunnel.CODE_NOT_FOUND, "微服务[" + m_Name + "]无可用实例"); return; } ServiceEndpoint ep; try { ep = get(tunnel.getServiceNo(), null, null); } catch (BalanceException e) { _Logger.warn("微服务[" + m_Name + "]忙:" + e.getMessage()); int code = (e instanceof QuotasException) ? StreamTunnel.CODE_UNAVAILABLE : StreamTunnel.CODE_INTERNAL_ERROR; tunnel.responseError(null, code, "微服务[" + m_Name + "]忙:" + e.getKeyword()); return; } ep.connect(tunnel); } public void jointByRelay(StreamTunnel tunnel) { ServiceEndpoint ep; try { ep = select(tunnel.getServiceNo()); } catch (BalanceException e) { _Logger.warn(e.toString()); tunnel.responseError(null, StreamTunnel.CODE_UNAVAILABLE, "微服务[" + m_Name + "]网格中继失败:" + e.getKeyword()); return; } ep.connect(tunnel); } int getResourceRight(Access access, String resId) { return m_Gateway.m_AclManage.findResourceRight(m_Name, access, resId); } ServiceTracer getServiceTracer() { return m_Gateway.m_ServiceTracer; } NettyHttpClientFactory getHttpClientFactory() { return m_Gateway.getHttpClientFactory(); } Producer getProducer() { return m_Gateway.m_Producer; } public List<ServiceDocument> getDocuments() { ServiceEndpoint[] eps = m_Endpoints; if (null == eps) { return Collections.emptyList(); } synchronized (m_DocLock) { // 单实例 if (1 == eps.length) { ServiceEndpoint ep = eps[0]; String ver = StringUtil.toString(ep.getService().getVersion()); SimpleDocumentImpl doc = getDocumentInCache(ver); if (null == doc || doc.isTimeout()) { doc = ep.getDocument(); if (null != doc) { putDocumentToCache(ver, doc); } } if (null != doc) { return Collections.singletonList(doc); } else { return Collections.emptyList(); } } // 多实例 Map<String, SimpleDocumentImpl> docs = new HashMap<String, SimpleDocumentImpl>(); for (ServiceEndpoint ep : eps) { String ver = StringUtil.toString(ep.getService().getVersion()); SimpleDocumentImpl doc = docs.get(ver); if (null != doc) { continue; } doc = getDocumentInCache(ver); if (null == doc || doc.isTimeout()) { try { // 选最合适的实例加载文档 doc = get(null, ver).getDocument(); } catch (BalanceException e) { doc = SimpleDocumentImpl.loadFail(m_Name, ver, e.getMessage()); } putDocumentToCache(ver, doc); } docs.put(ver, doc); } return new ArrayList<ServiceDocument>(docs.values()); } } private SimpleDocumentImpl getDocumentInCache(String version) { LruCache<String, SimpleDocumentImpl> cache = m_Gateway.getServiceDocCache(); if (null == cache) { return null; } String key = m_Name + "-" + version; return cache.get(key); } private void putDocumentToCache(String version, SimpleDocumentImpl doc) { LruCache<String, SimpleDocumentImpl> cache = m_Gateway.getServiceDocCache(); if (null == cache) { return; } String key = m_Name + "-" + version; cache.put(key, doc); } Executor getRpcExecutor() { return m_Gateway.m_RpcExecutor; } DtObject debug(String no, String source, String name, String args) throws DebugServiceException { ServiceEndpoint[] eps = m_Endpoints; if (null == eps) { throw new DebugServiceException("微服务[" + m_Name + "]无可用实例"); } ServiceEndpoint target = null; for (ServiceEndpoint ep : eps) { if (StringUtil.eq(ep.getService().getNo(), no)) { target = ep; break; } } if (null == target) { throw new DebugServiceException("微服务[" + m_Name + "]无此实例[" + no + "]"); } return target.debug(source, name, args); } public NameItem getEndpointSummary() { ServiceEndpoint[] eps = m_Endpoints; if (null == eps || 0 == eps.length) { return NameItem.valueOf("无可用实例", 9); } boolean allNorm = true; boolean allAbnorm = true; for (ServiceEndpoint ep : eps) { int state = ep.getService().getState(); if (0 == state) { allAbnorm = false; continue; } if (0 != state && ServiceExt.STATE_INACCESSIBLE != state) { allNorm = false; continue; } } if (allNorm) { return NameItem.valueOf("正常", 0); } if (allAbnorm) { return NameItem.valueOf("全异常", 9); } return NameItem.valueOf("部分异常", 5); } public List<ServiceInstance> listServiceInstance(){ List<ServiceEndpoint> eps = list(); if(eps.isEmpty()) { return Collections.emptyList(); } return new TransList<ServiceInstance, ServiceEndpoint>(eps) { @Override protected ServiceInstance trans(ServiceEndpoint src) { return src.getService(); } }; } @Override public String toString() { ServiceEndpoint[] eps = m_Endpoints; return m_Name + ",eps:" + (null == eps ? 0 : eps.length); } }
26.587104
463
0.66783
87243afb2166a9d44d7b2254fa5f8bc3d773179c
1,051
package core.game; import java.util.HashMap; import core.content.GameContent; import core.content.ParameterContent; /** * Created by dperez on 21/01/2017. */ public class GameSpace extends BasicGame { /** * Default constructor for a basic game. * * @param content Contains parameters for the game. */ public GameSpace(GameContent content) { super(content); parameters = new HashMap<>(); } /** * Builds a level, receiving a file name. * * @param gamelvl file name containing the level. */ @Override public void buildLevel(String gamelvl, int randomSeed) { // Need to extract my parameters here. super.buildLevel(gamelvl, randomSeed); } public void addParameterContent(ParameterContent pc) { if (parameters == null) { parameters = new HashMap<>(); } parameters.put(pc.identifier, pc); } @Override public HashMap<String, ParameterContent> getParameters() { return parameters; } }
22.361702
62
0.627022
fc57ba36b7d0c162e215b1a2de539e168073e1ad
4,349
package com.example.smartphonetovirtuality; import androidx.annotation.RequiresApi; import androidx.appcompat.app.AppCompatActivity; import android.annotation.SuppressLint; import android.app.AlertDialog; import android.content.Intent; import android.content.pm.PackageManager; import android.hardware.Sensor; import android.hardware.SensorManager; import android.os.Build; import android.os.Bundle; import android.widget.CompoundButton; import android.widget.EditText; import android.widget.Switch; import java.util.ArrayList; /** * Main Android activity. * @author COGOLUEGNES Charles */ public class MainActivity extends AppCompatActivity { private final MainActivity $this = this; private Intent intent; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_main); @SuppressLint("UseSwitchCompatOrMaterialCode") Switch connectSwitch = findViewById(R.id.connect_switch); connectSwitch.setOnCheckedChangeListener(new CompoundButton.OnCheckedChangeListener() { /** * When the switch button has changed. * Starts the SensorsService when the switch is on and stop the service if it is off. * @param buttonView switch button. * @param isChecked if the switch is toggle. */ @RequiresApi(api = Build.VERSION_CODES.O) public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) { if(intent == null) intent = new Intent($this, SensorsService.class); if(isChecked) { EditText ip = findViewById(R.id.ip_text); EditText port = findViewById(R.id.port_text); intent.putExtra("ip", ip.getText().toString()); intent.putExtra("port", Integer.parseInt(port.getText().toString())); PackageManager manager = getPackageManager(); boolean hasRotationVector = ((SensorManager) getSystemService(SENSOR_SERVICE)).getDefaultSensor(Sensor.TYPE_ROTATION_VECTOR) != null; boolean hasAccelerometer = manager.hasSystemFeature(PackageManager.FEATURE_SENSOR_ACCELEROMETER); boolean hasProximity = manager.hasSystemFeature(PackageManager.FEATURE_SENSOR_PROXIMITY); if(handleSensorsExist(hasRotationVector, hasAccelerometer, hasProximity)) startService(intent); } else stopService(intent); } }); } /** * Check if sensors exist on the phone. * @param rotationVector if has rotation vector. * @param accelerometer if has accelerometer. * @param proximity if has proximity. * @return true if phone has every wanted sensors false if not. */ private boolean handleSensorsExist(boolean rotationVector, boolean accelerometer, boolean proximity) { ArrayList<String> sensors = new ArrayList<>(); if(!rotationVector) sensors.add("Rotation Vector"); if(!accelerometer) sensors.add("Accelerometer"); if(!proximity) sensors.add("Proximity"); if(sensors.size() > 0){ showSensorsNotFound(sensors.toArray(new String[0])); return false; } return true; } /** * Display a dialog showing what sensor(s) the phone does not have then quit the application. * @param sensors an array which contains the non present sensors. */ private void showSensorsNotFound(String[] sensors) { String listSensors = ""; for(String s : sensors) listSensors += s+", "; listSensors = listSensors.substring(0, listSensors.length()-2); listSensors += '.'; AlertDialog.Builder builder = new AlertDialog.Builder($this); builder .setMessage("Your device does not support the following sensor(s): "+listSensors) .setCancelable(false) .setPositiveButton("OK", (dialog, which) -> { dialog.dismiss(); finish(); }); builder.show(); } /** * Stop the service if it exists. */ @Override protected void onDestroy() { super.onDestroy(); if(intent != null) stopService(intent); } }
40.268519
153
0.650264
26762edcf1642a05bc0b7dea76e2ea8decec7a51
105
package graph; public interface GraphTraverse<T> { int size(); T popItem(); void pushItem(T item); }
13.125
35
0.695238
69bd5dea6f67d378745f9694c5e239970b583a73
3,032
package serviceImp; import java.util.ArrayList; import java.util.List; import javax.servlet.http.Cookie; import javax.servlet.http.HttpServletRequest; import com.alibaba.fastjson.JSON; import com.alibaba.fastjson.JSONObject; import domain.Exam; import domain.User; import enumeration.Role; import mapper.UserMapper; import service.UserService; import shared.UnitOfWork; import util.JsonToObject; public class UserServiceImp implements UserService { UserMapper userMapper = new UserMapper(); private JsonToObject jo = new JsonToObject(); @Override public User login(String userName, String passWord) { User user = userMapper.login(userName, passWord); return user; } @Override public String checkLogin(HttpServletRequest request) { Cookie[] allcookie = request.getCookies(); String result = ""; int i = 0; if (allcookie != null) { for (i = 0; i < allcookie.length; i++) { Cookie temp = allcookie[i]; String s = ""; User user = new User(); // checking the tokens of student and instructor if (temp.getName().equals("tokenIns")) { s = temp.getValue(); user = userMapper.findById(Integer.valueOf(s)); result = JSONObject.toJSONString(user); System.out.println("checklogin: " + user.getRole()+user.getUserName()); break; } if(temp.getName().equals("tokenStu")) { s = temp.getValue(); user = userMapper.findById(Integer.valueOf(s)); result = JSONObject.toJSONString(user); System.out.println("checklogin: " + user.getRole()+user.getUserName()); break; } } if (allcookie.length == i) { result = "0"; }else { return result; } } else { result = "1"; } return result; } @Override public String findAllUsers(Role role, int id) { List<User> userList = new ArrayList<User>(); List<User> enrolledusers = new ArrayList<User>(); String result = ""; if(!role.equals(Role.ADMIN)) { enrolledusers = userMapper.FindEnrolledUsers(role,id); userList = userMapper.FindAllUsers(role, id); String enUsers = JSONObject.toJSONString(enrolledusers); String unUsers = JSONObject.toJSONString(userList); result = "{\"enrolled\":"+enUsers+",\"unenrolled\":"+unUsers+"}"; }else { userList = userMapper.FindAllUsers(role, id); result = JSONObject.toJSONString(userList); } return result; } @Override public boolean addNewUser(HttpServletRequest request, UnitOfWork current) { // UnitOfWork.newCurrent(); // get the new exam info from the request. JSONObject userJsonObject = jo.ReqJsonToObject(request); User user = new User(); user = JSON.toJavaObject(userJsonObject, User.class); // System.out.println(user.getId()+user.getUserName()+user.getPassWord()+user.getRole()); current.setCurrent(current.getCurrent()); // this.current = current; current.registerNew(user); return current.commit(); } }
27.315315
90
0.659301
a7310d7f2365c751775232660fa7e73186c8703b
4,045
package org.actech.smart.trader.sync.stock.parser; import com.gargoylesoftware.htmlunit.*; import com.gargoylesoftware.htmlunit.html.HTMLParser; import com.gargoylesoftware.htmlunit.html.HtmlPage; import org.actech.smart.trader.Application; import org.actech.smart.test.configuration.UnitTestConfiguration; import org.actech.smart.trader.sync.market.entity.StockClassification; import org.junit.Test; import org.junit.runner.RunWith; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.boot.test.context.SpringBootTest; import org.springframework.core.io.DefaultResourceLoader; import org.springframework.core.io.Resource; import org.springframework.core.io.ResourceLoader; import org.springframework.test.context.ActiveProfiles; import org.springframework.test.context.junit4.SpringRunner; import java.io.IOException; import java.net.URL; import static java.nio.file.Files.readAllBytes; import static java.nio.file.Paths.get; import static org.hamcrest.core.Is.*; import static org.junit.Assert.*; /** * Created by paul on 2018/3/16. */ @RunWith(SpringRunner.class) @SpringBootTest(classes = {Application.class, UnitTestConfiguration.class}) @ActiveProfiles("dev") public class StockTraderHtmlParserTest { @Autowired private StockTraderHtmlParser parser; @Test public void navigateToContent() throws IOException { ResourceLoader resourceLoader = new DefaultResourceLoader(); Resource resource = resourceLoader.getResource("classpath:个股行情_网易财经.htm"); String url = "http://quotes.money.163.com/trade/lsjysj_603088.html?year=2018&season=1"; String content = new String(readAllBytes(get(resource.getURI()))); StringWebResponse response = new StringWebResponse(new String(content), new URL(url)); WebClient webClient = new WebClient(); webClient.getOptions().setCssEnabled(false); webClient.getOptions().setJavaScriptEnabled(false); webClient.getOptions().setDownloadImages(false); webClient.getOptions().setThrowExceptionOnScriptError(false); webClient.getOptions().setRedirectEnabled(false); webClient.getOptions().setAppletEnabled(false); webClient.getOptions().setActiveXNative(false); HtmlPage page = HTMLParser.parseHtml(response, webClient.getCurrentWindow()); assertThat(parser.shouldParse(page), is(true)); } @Test public void downloadHtmlContentAndRunScript() throws IOException { try(final WebClient webClient = new WebClient()) { webClient.getOptions().setThrowExceptionOnScriptError(false); final HtmlPage page = webClient.getPage("http://quotes.money.163.com/trade/lsjysj_603088.html?year=2018&season=1"); System.out.println(page); } } @Test public void shouldParseContent() throws IOException { ResourceLoader resourceLoader = new DefaultResourceLoader(); Resource resource = resourceLoader.getResource("classpath:个股行情_网易财经.htm"); String url = "http://quotes.money.163.com/trade/lsjysj_603088.html?year=2018&season=1"; String content = new String(readAllBytes(get(resource.getURI()))); StringWebResponse response = new StringWebResponse(new String(content), new URL(url)); WebClient webClient = new WebClient(); webClient.getOptions().setCssEnabled(false); webClient.getOptions().setJavaScriptEnabled(false); webClient.getOptions().setDownloadImages(false); webClient.getOptions().setThrowExceptionOnScriptError(false); webClient.getOptions().setRedirectEnabled(false); webClient.getOptions().setAppletEnabled(false); webClient.getOptions().setActiveXNative(false); StockClassification classification = new StockClassification(); classification.setCode("603088"); classification.setName("宁波精达"); HtmlPage page = HTMLParser.parseHtml(response, webClient.getCurrentWindow()); parser.parse(page, classification); } }
41.27551
127
0.742645
2257884276f10a95bb902c9151d112804432e46b
3,059
package nl.vu.cs.amstel.msg; import java.io.ByteArrayInputStream; import java.io.DataInputStream; import java.io.IOException; import java.util.ArrayList; import java.util.List; import org.apache.log4j.Logger; import nl.vu.cs.amstel.graph.VertexFactory; import nl.vu.cs.amstel.graph.VertexState; import nl.vu.cs.amstel.user.MessageValue; import nl.vu.cs.amstel.user.Value; import ibis.ipl.ConnectionClosedException; import ibis.ipl.ReadMessage; import ibis.ipl.ReceivePort; import ibis.ipl.SendPort; import ibis.ipl.WriteMessage; public class MessageReceiver<V extends Value, E extends Value, M extends MessageValue> extends Thread { protected static Logger logger = Logger.getLogger("nl.vu.cs.amstel"); public static final int INPUT_MSG = 0x100; public static final int COMPUTE_MSG = 0x200; public static final int FLUSH_MSG = 0x300; public static final int FLUSH_ACK_MSG = 0x400; protected ReceivePort receiver; protected MessageRouter<V, E, M> router; protected VertexFactory<V, E> valuesFactory; private InboundQueue<M> inbox = null; private List<VertexState<V, E>> inputVertexes = new ArrayList<VertexState<V, E>>(); public MessageReceiver(ReceivePort receiver, MessageRouter<V, E, M> router, VertexFactory<V, E> valuesFactory) { this.receiver = receiver; this.router = router; this.valuesFactory = valuesFactory; } private void inputMessage(ReadMessage msg) throws IOException { int bufferSize = msg.readInt(); byte[] buffer = new byte[bufferSize]; msg.readArray(buffer); DataInputStream inStream = new DataInputStream( new ByteArrayInputStream(buffer)); while (inStream.available() > 0) { VertexState<V, E> vertex = new VertexState<V, E>(); vertex.deserialize(inStream, valuesFactory); // stack the vertex to the local list of received vertexes inputVertexes.add(vertex); } } private void computeMessage(ReadMessage r) throws IOException { inbox.deliver(r); } private void sendFlushAck(ReadMessage r) throws IOException { SendPort sender = router.getSender(r.origin().ibisIdentifier()); synchronized(sender) { WriteMessage w = sender.newMessage(); w.writeInt(FLUSH_ACK_MSG); w.finish(); } } public void setInbox(InboundQueue<M> inbox) { this.inbox = inbox; } public List<VertexState<V, E>> getReceivedVertexes() { return inputVertexes; } public void run() { while (true) { try { ReadMessage r = receiver.receive(); // the first Int is the message type int msgType = r.readInt(); switch (msgType) { case INPUT_MSG: inputMessage(r); break; case COMPUTE_MSG: computeMessage(r); break; case FLUSH_MSG: sendFlushAck(r); break; case FLUSH_ACK_MSG: router.deactivateWorker(r.origin().ibisIdentifier()); break; default: logger.error("Unknown message type"); } r.finish(); } catch (ConnectionClosedException e) { // this is caused by receiver.close() call from the main thread break; } catch (IOException e) { logger.fatal("Error in Message Receiver", e); } } } }
28.324074
76
0.725727
84187d3a639a26e5da4c1a991545dd19c4d6e355
11,878
package twg2.collections.dataStructures; import java.util.ArrayList; import java.util.Collection; import java.util.Collections; import java.util.Comparator; import java.util.ConcurrentModificationException; import java.util.Iterator; import java.util.List; import java.util.Map; import java.util.Map.Entry; import java.util.Set; import twg2.collections.interfaces.PairCollection; import twg2.collections.interfaces.PairCollectionReadOnly; import twg2.collections.util.ToStringUtil; /** Map implementation which allows duplicate keys and values * (HashMap and LinkedHashMap do not allow duplicate keys) * The insertion order is the iteration order. * Performance is similar to {@link ArrayList}. * This class provides a mixture of Map and List methods along with some custom methods, everything should * be self explanatory. * This is basically a {@code List<Map.Entry<K, V>>} with the ability to store duplicate key-value pairs. */ public class SortedPairList<K, V> implements PairCollection<K, V> { private final List<K> keys; // List of Map keys private final List<V> values; // List of Map values private List<K> keysIm; // Immutable copy of the keys private List<V> valuesIm; // Immutable copy of the values private final Comparator<K> comparator; private volatile int mod; /** Create a pair list from a {@link Map} of keys and values. * Note: changes to the map are not reflected in this pair list * @param keyValues the map of keys and values to put in this pair list */ public SortedPairList(Map<? extends K, ? extends V> keyValues, Comparator<K> comparator) { this(comparator, keyValues.size()); for(Map.Entry<? extends K, ? extends V> entry : keyValues.entrySet()) { addPair(entry.getKey(), entry.getValue()); } } /** Create a pair list from two collections of keys and values. * Both collections must be the same size. * Note: changes to the collection are not reflected in this pair list * @param keys the keys to put in this pair list * @param values the values to put in this pair list */ public SortedPairList(Collection<? extends K> keys, Collection<? extends V> values, Comparator<K> comparator) { this(comparator, keys.size()); if(keys == null || values == null || keys.size() != values.size()) { throw new IllegalArgumentException("the number of keys (" + (keys != null ? keys.size() : "null") + ") " + "does not equal the number of values (" + (values != null ? values.size() : "null")); } Iterator<? extends K> keyIter = keys.iterator(); Iterator<? extends V> valIter = values.iterator(); while(keyIter.hasNext() && valIter.hasNext()) { K key = keyIter.next(); V value = valIter.next(); addPair(key, value); } } /** Create a PairList with an initial capacity. */ public SortedPairList(Comparator<K> comparator, int capacity) { this.comparator = comparator; this.keys = new ArrayList<K>(capacity); // Initialize key List this.values = new ArrayList<V>(capacity); // Initialize values List } /** Create a PairList with a default size of 10. */ public SortedPairList(Comparator<K> comparator) { this.comparator = comparator; this.keys = new ArrayList<K>(); // Initialize key List this.values = new ArrayList<V>(); // Initialize values List } public SortedPairList<K, V> copy() { SortedPairList<K, V> copy = new SortedPairList<>(this.comparator, this.keys.size()); copy.keys.addAll(this.keys); copy.values.addAll(this.values); return copy; } /** removes all key-value pairs from this instance */ @Override public void clear() { mod++; keys.clear(); values.clear(); } /** * @param key Object to check for in this instance's list of keys * @return true if this instance contains a key which equals the 'key' parameter */ @Override public boolean containsKey(K key) { if(keys.contains(key)) { return true; } return false; } /** * @param value Object to check for in this instance's list of values * @return true if this instance contains a value which equals the 'value' parameter */ @Override public boolean containsValue(V value) { if(values.contains(value)) { return true; } return false; } /** returns the value matching the first occurrence of the specified key * @param key key who's corresponding value is to be returned * @return the value which matches the 'key' parameter, returns null if the key does not exist */ @Override public V get(K key) { int keyIndex = keys.indexOf(key); if(keyIndex < 0) { return null; } else { return values.get(keyIndex); } } /** returns the index of the specified key * @param key the key who's index is to be returned * @return the index where the specified key was found, or -1 if the key cannot be found */ public int indexOf(K key) { int index = keys.indexOf(key); if(index > 0) { return index; } else { return -1; } } /** returns the key corresponding to the index given * @param index the index of the key to be returned * @return the key found at the specified index */ @Override public K getKey(int index) { if(index < 0 || index > this.size() - 1) { throw new IndexOutOfBoundsException(Integer.toString(index)); } else { return keys.get(index); } } /** returns the value corresponding to the index given * @param index the index of the value to be returned * @return the value found at the specified index */ @Override public V getValue(int index) { if(index < 0 || index > this.size() - 1) { throw new IndexOutOfBoundsException(Integer.toString(index)); } else { return values.get(index); } } /** returns the last key * @return the last key in the sorted pair list, or an error if the sorted pair list is empty */ @Override public K getLastKey() { int size = this.keys.size(); if(size < 1) { throw new IndexOutOfBoundsException("0 of sorted pair list size " + size); } else { return keys.get(size - 1); } } /** returns the last value * @return the last value in the sorted pair list, or an error if the sorted pair list is empty */ @Override public V getLastValue() { int size = this.keys.size(); if(size < 1) { throw new IndexOutOfBoundsException("0 of sorted pair list size " + size); } else { return values.get(size - 1); } } /** * @return true if this SortedPairList instance has no key-value associates, returns false otherwise */ @Override public boolean isEmpty() { boolean res = keys.size() == 0; return res; } /** returns a read-only view of the sorted keys in this collection * @return the List of keys from this map */ @Override public List<K> keyList() { return this.keysIm != null ? this.keysIm : (this.keysIm = Collections.unmodifiableList(this.keys)); } /** * @return the List of values from this map */ @Override public List<V> valueList() { return this.valuesIm != null ? this.valuesIm : (this.valuesIm = Collections.unmodifiableList(this.values)); } /** * Always returns null because duplicate keys are allowed so all key-value pair passed to this method * are added * @param key key to add to this PairList instance * @param value value to add to this PairList instance */ @Override public V put(K key, V value) { int index = keys.indexOf(key); if(index > -1) { V val = values.get(index); mod++; keys.set(index, key); values.set(index, value); return val; } else { add(key, value); return null; } } @Override public void add(K key, V value) { addPair(key, value); } @Override public V put(Map.Entry<? extends K, ? extends V> keyValue) { put(keyValue.getKey(), keyValue.getValue()); return null; } @Override public void add(Map.Entry<? extends K, ? extends V> keyValue) { add(keyValue.getKey(), keyValue.getValue()); } /** * Adds all of the pairs in the mapPairs parameter to this PairList instance * @param mapPairs map to add to this PairList instance */ @Override public void putAll(Map<? extends K, ? extends V> mapPairs) { Set<? extends Map.Entry<? extends K, ? extends V>> entrySet = mapPairs.entrySet(); for(Map.Entry<? extends K, ? extends V> entry : entrySet) { addPair(entry.getKey(), entry.getValue()); } } /** * Adds all of the pairs in the listPairs to this PairList instance * @param listPairs pairList to add to this pairList */ @Override public void putAll(PairCollectionReadOnly<? extends K, ? extends V> listPairs) { for(int i = 0, size = listPairs.size(); i < size; i++) { addPair(listPairs.getKey(i), listPairs.getValue(i)); } } /** * @param key key to remove along with it's corresponding value * @return the previous value associated with the deleted key */ @Override public V remove(Object key) { int index = keys.indexOf(key); if(index > -1) { V removedValue = values.get(index); // Temp value we are about to remove, used as return value removeIndex(index); return removedValue; } return null; } public void removeIndex(int index) { mod++; values.remove(index); keys.remove(index); } /** * @return the size of this PairList instance */ @Override public int size() { return keys.size(); } /** * @return a Collection of this instance's values */ @Override public Collection<V> values() { return this.valuesIm != null ? this.valuesIm : (this.valuesIm = Collections.unmodifiableList(this.values)); } @Override public Iterator<Entry<K, V>> iterator() { return new SortedPairListIterator<>(this); } @Override public String toString() { StringBuilder builder = ToStringUtil.toStringKeyValuePairs(this.keys, this.values, this.keys.size(), null); return builder.toString(); } private void addPair(K key, V value) { int index = calcInsertIndex(key); if(index >= this.keys.size()) { mod++; this.keys.add(key); this.values.add(value); } else { mod++; this.keys.add(index, key); this.values.add(index, value); } } private int calcInsertIndex(K key) { int insertIndex = Collections.binarySearch(this.keys, key, this.comparator); if(insertIndex > -1) { insertIndex++; } else { insertIndex = -insertIndex - 1; } return insertIndex; } public static final <V> SortedPairList<String, V> newStringPairList() { SortedPairList<String, V> pairList = new SortedPairList<>((s1, s2) -> s1.compareTo(s2)); return pairList; } /** * @author TeamworkGuy2 * @since 2015-10-5 */ public static class SortedPairListIterator<K, V> implements Iterator<Entry<K, V>> { private final SortedPairList<K, V> list; private int index; private SortedPairListEntry<K, V> entry; private final int expectedMod; public SortedPairListIterator(SortedPairList<K, V> list) { this.list = list; this.index = -1; // so that first call to next() works and 'index' always matches current iterator position this.entry = new SortedPairListEntry<>(); this.expectedMod = list.mod; } @Override public boolean hasNext() { if(expectedMod != list.mod) { throw new ConcurrentModificationException("sorted pair list change while iterating"); } return index + 1 < list.size(); } @Override public Entry<K, V> next() { if(expectedMod != list.mod) { throw new ConcurrentModificationException("sorted pair list change while iterating"); } index++; K nextKey = list.getKey(index); V nextVal = list.getValue(index); entry.key = nextKey; entry.value = nextVal; return entry; } } static class SortedPairListEntry<K, V> implements Map.Entry<K, V> { private K key; private V value; @Override public K getKey() { return key; } @Override public V getValue() { return value; } @Override public V setValue(V value) { throw new UnsupportedOperationException("Entry.setValue()"); } } }
25.006316
112
0.682017
5652b3d2780c4449745638bb19a3448527c4be2f
1,975
package si.isystem.ui.utils; import static org.junit.Assert.assertEquals; import org.junit.Before; import org.junit.Test; import si.isystem.connect.connectJNI; public class ExceptionsTest { @Before public void setUp() throws Exception { loadLibrary(); } public final static void loadLibrary() { String architecture = System.getProperty("sun.arch.data.model"); String libraryName; if (architecture.equals("64")) { libraryName = "../../common/si.isystem.icadapter/lib/IConnectJNIx64"; } else if (architecture.equals("32")) { libraryName = "../../common/si.isystem.icadapter/lib/IConnectJNI"; } else { throw new IllegalStateException("Unknown 32/64 bit architecture:" + architecture); } try { System.out.println("java.library.path = " + System.getProperty("java.library.path")); System.out.println("Loading native library: " + libraryName); System.loadLibrary(libraryName); } catch (Throwable thr) { System.err.println("Error loading library: " + libraryName); System.err.println("Error: " + thr.toString()); thr.printStackTrace(); return; } System.out.println("isystem.connect demo for Java version: " + si.isystem.connect.connectJNI.getModuleVersion()); } @Test public void testExceptions() { int i = 0; final int NO_OF_EXCEPTIONS = 21; for (i = 0; i < NO_OF_EXCEPTIONS; i++) { try { // connectJNI.exceptionsTest(i); } catch (Exception ex) { System.out.println(i + ": " + ex.getMessage() + " --> " + ex.getClass().getSimpleName()); } } assertEquals(NO_OF_EXCEPTIONS, i); } }
30.859375
108
0.546835
2a8b202412191c3f8612615860556fcbc882f197
10,204
package com.hoddmimes.gpgui; import java.awt.BorderLayout; import java.awt.Color; import java.awt.Component; import java.awt.Dimension; import java.awt.FlowLayout; import java.awt.Font; import java.awt.GridBagConstraints; import java.awt.GridBagLayout; import java.awt.Insets; import java.io.File; import java.io.IOException; import java.text.SimpleDateFormat; import java.util.Iterator; import javax.imageio.ImageIO; import javax.swing.JButton; import javax.swing.JDialog; import javax.swing.JLabel; import javax.swing.JPanel; import javax.swing.border.EmptyBorder; import org.bouncycastle.openpgp.PGPPublicKey; import org.bouncycastle.openpgp.PGPSecretKey; import javax.swing.JScrollPane; import javax.swing.JTextField; import javax.swing.SwingConstants; public class ExpandKeyDialog extends JDialog { private final JPanel mContentPanel = new JPanel(); private int mRow; /** * Launch the application. */ public static void main(String[] args) { try { ExpandKeyDialog dialog = new ExpandKeyDialog(null, 100, 100); dialog.setDefaultCloseOperation(JDialog.DISPOSE_ON_CLOSE); dialog.setVisible(true); } catch (Exception e) { e.printStackTrace(); } } /** * Create the dialog. */ public ExpandKeyDialog(KeyRingInterface pKeyRingInterface, int xPos,int yPos) { setBounds(xPos, yPos, 350, 400); GPGAdapter.setAppIcon( this, this ); getContentPane().setLayout(new BorderLayout()); mContentPanel.setLayout(new FlowLayout()); mContentPanel.setBorder(new EmptyBorder(5, 5, 5, 5)); JScrollPane mScrollPane = new JScrollPane(); mContentPanel.add(mScrollPane); JPanel mKeyPanel = new JPanel(); GridBagLayout tGridBagLayout = new GridBagLayout(); mKeyPanel.setLayout(tGridBagLayout); mKeyPanel.setBackground(Color.white); mScrollPane.setViewportView(mKeyPanel); mScrollPane.getViewport().setBackground(Color.white); if (pKeyRingInterface instanceof PubKeyRingInterface) { layoutPubKey((PubKeyRingInterface) pKeyRingInterface, mKeyPanel); } else if (pKeyRingInterface instanceof SecKeyRingInterface) { layoutSecKey((SecKeyRingInterface) pKeyRingInterface, mKeyPanel); } mScrollPane.getViewport().setPreferredSize(new Dimension(500, 450)); getContentPane().add(mScrollPane, BorderLayout.CENTER); { JPanel buttonPane = new JPanel(); buttonPane.setLayout(new FlowLayout(FlowLayout.RIGHT)); getContentPane().add(buttonPane, BorderLayout.SOUTH); { JButton okButton = new JButton("OK"); okButton.setActionCommand("OK"); okButton.addActionListener(event -> { this.dispose(); }); buttonPane.add(okButton); } } this.pack(); } private void layoutPubKey(PubKeyRingInterface pKeyRingInterface, JPanel pKeyPanel) { mRow = 0; Iterator<PGPPublicKey> tKeyItr = pKeyRingInterface.getPublicKeyRing().getPublicKeys(); this.setTitle("Public Key (" + Long.toHexString(pKeyRingInterface.getPublicKeyRing().getPublicKey().getKeyID()) + ")"); // Add Key Repository JLabel tLabel = new JLabel("Key Repository"); tLabel.setFont(new Font("Arial", Font.BOLD, 14)); addParameterLabel(mRow, 0, pKeyPanel, tLabel, new Insets(20, 5, 20, 10)); JTextField tTextField = createTextField(pKeyRingInterface.getKeyRingRepositoryName(), SwingConstants.CENTER); tTextField.setFont(new Font("Arial", Font.BOLD, 14)); tTextField.setHorizontalAlignment(SwingConstants.CENTER); addParameterValue(mRow, 1, pKeyPanel, tTextField, new Insets(20, 10, 20, 10)); mRow++; while(tKeyItr.hasNext()) { addPublicKey( pKeyPanel, tKeyItr.next(), true); } } private void layoutSecKey(SecKeyRingInterface pKeyRingInterface, JPanel pKeyPanel) { mRow = 0; Iterator<PGPSecretKey> tKeyItr = pKeyRingInterface.getSecretKeyRing().getSecretKeys(); this.setTitle("Secret Key (" + Long.toHexString(pKeyRingInterface.getSecretKeyRing().getSecretKey().getKeyID()) + ")"); // Add Key Repository JLabel tLabel = new JLabel("Key Repository"); tLabel.setFont(new Font("Arial", Font.BOLD, 14)); addParameterLabel(mRow, 0, pKeyPanel, tLabel, new Insets(20, 5, 20, 10)); JTextField tTextField = createTextField(pKeyRingInterface.getKeyRingRepositoryName(), SwingConstants.CENTER); tTextField.setFont(new Font("Arial", Font.BOLD, 14)); tTextField.setHorizontalAlignment(SwingConstants.CENTER); addParameterValue(mRow, 1, pKeyPanel, tTextField, new Insets(20, 10, 20, 10)); mRow++; while(tKeyItr.hasNext()) { addSecretKey( pKeyPanel, tKeyItr.next()); } } private void addSecretKey( JPanel pPanel, PGPSecretKey pKey ) { Insets tDefLabelInsets = (pKey.isMasterKey()) ? new Insets(2, 10, 2, 10) : new Insets(2, 40, 2, 10); //top, left, bottom, right Insets tDefValueInsets = new Insets(2, 10, 2, 10); //top, left, bottom, right // Is Master Key addParameterLabel(mRow, 0, pPanel, new JLabel("Key"), tDefLabelInsets); String tKeyType = (pKey.isMasterKey()) ? "MasterKey" : "SubKey"; addParameterValue(mRow, 1, pPanel, createTextField(tKeyType, SwingConstants.CENTER), tDefValueInsets); mRow++; // User Is's Iterator<String> tUserItr = pKey.getUserIDs(); while( tUserItr.hasNext()) { addParameterLabel(mRow, 0, pPanel, new JLabel("User Id"), tDefLabelInsets); addParameterValue(mRow, 1, pPanel, createTextField(tUserItr.next(), SwingConstants.CENTER), tDefValueInsets); mRow++; } // Key Id addParameterLabel(mRow, 0, pPanel, new JLabel("Key Id"), tDefLabelInsets ); addParameterValue(mRow, 1, pPanel, createTextField(Long.toHexString(pKey.getKeyID()), SwingConstants.RIGHT), tDefValueInsets); mRow++; // Is Signing Key addParameterLabel(mRow, 0, pPanel, new JLabel("Signing Key"), tDefLabelInsets); addParameterValue(mRow, 1, pPanel, createTextField(Boolean.toString(pKey.isSigningKey()), SwingConstants.CENTER), tDefValueInsets); mRow++; // Key Algorithm addParameterLabel(mRow, 0, pPanel, new JLabel("Key Algorithm"), tDefLabelInsets); addParameterValue(mRow, 1, pPanel, createTextField(GPGAdapter.getKeyAlgorithm(pKey.getKeyEncryptionAlgorithm()), SwingConstants.CENTER), tDefValueInsets); mRow++; if (pKey.getPublicKey() != null) { addPublicKey( pPanel, pKey.getPublicKey(), false); } GridBagConstraints c = new GridBagConstraints(); c.gridx = 0; c.gridy = mRow++; c.insets = new Insets(10, 0, 10, 0); pPanel.add( new JLabel(" "), c); } private void addPublicKey( JPanel pPanel, PGPPublicKey pKey, boolean pIsTruePublicKey ) { Insets tDefLabelInsets = (pKey.isMasterKey() && (pIsTruePublicKey)) ? new Insets(2, 10, 2, 10) : new Insets(2, 40, 2, 10); //top, left, bottom, right Insets tDefValueInsets = (pKey.isMasterKey() && (pIsTruePublicKey)) ? new Insets(2, 10, 2, 10) : new Insets(2, 30, 2, 10); //top, left, bottom, right // Is Master Key String tKeyLabelStr = (pIsTruePublicKey) ? "Key" : "Public Key"; addParameterLabel(mRow, 0, pPanel, new JLabel(tKeyLabelStr), tDefLabelInsets); String tKeyType = (pKey.isMasterKey()) ? "MasterKey" : "SubKey"; addParameterValue(mRow, 1, pPanel, createTextField(tKeyType, SwingConstants.CENTER), tDefValueInsets); mRow++; // User Is's Iterator<String> tUserItr = pKey.getUserIDs(); while( tUserItr.hasNext()) { addParameterLabel(mRow, 0, pPanel, new JLabel("User Id"), tDefLabelInsets); addParameterValue(mRow, 1, pPanel, createTextField(tUserItr.next(), SwingConstants.CENTER), tDefValueInsets); mRow++; } // Key Id addParameterLabel(mRow, 0, pPanel, new JLabel("Key Id"), tDefLabelInsets ); addParameterValue(mRow, 1, pPanel, createTextField(Long.toHexString(pKey.getKeyID()), SwingConstants.RIGHT), tDefValueInsets); mRow++; // Is Encryption Key addParameterLabel(mRow, 0, pPanel, new JLabel("Encryption Key"), tDefLabelInsets); addParameterValue(mRow, 1, pPanel, createTextField(Boolean.toString(pKey.isEncryptionKey()), SwingConstants.CENTER), tDefValueInsets); mRow++; // Key Algorithm addParameterLabel(mRow, 0, pPanel, new JLabel("Key Algorithm"), tDefLabelInsets); addParameterValue(mRow, 1, pPanel, createTextField(GPGAdapter.getKeyAlgorithm(pKey.getAlgorithm()), SwingConstants.CENTER), tDefValueInsets); mRow++; // Key Bit Strength addParameterLabel(mRow, 0, pPanel, new JLabel("Key Strength"), tDefLabelInsets); addParameterValue(mRow, 1, pPanel, createTextField(String.valueOf(pKey.getBitStrength()), SwingConstants.RIGHT),tDefValueInsets); mRow++; // Valid Days addParameterLabel(mRow, 0, pPanel, new JLabel("Valid Days"), tDefLabelInsets); addParameterValue(mRow, 1, pPanel, createTextField( GPGAdapter.getValidKeyTime(pKey.getValidSeconds()), SwingConstants.RIGHT), tDefValueInsets); mRow++; // Creation Date SimpleDateFormat tSDF = new SimpleDateFormat("yyyy-MM-dd HH:mm"); addParameterLabel(mRow, 0, pPanel, new JLabel("Creation Time"), tDefLabelInsets); addParameterValue(mRow, 1, pPanel, createTextField(tSDF.format(pKey.getCreationTime()), SwingConstants.RIGHT), tDefValueInsets); mRow++; GridBagConstraints c = new GridBagConstraints(); c.gridx = 0; c.gridy = mRow++; c.insets = new Insets(10, 0, 10, 0); pPanel.add( new JLabel(" "), c); } private JTextField createTextField( String pValue, int pAlign ) { JTextField tf = new JTextField( pValue ); tf.setHorizontalAlignment(pAlign); tf.setEditable(false); tf.setMargin(new Insets(0, 5, 0, 5)); return tf; } private void addParameterLabel( int pRow, int pCol, JPanel pPanel, JLabel pLabel, Insets pInsets) { JLabel tLabel = pLabel; GridBagConstraints c = new GridBagConstraints(); c.gridx = pCol; c.gridy = pRow; c.anchor = GridBagConstraints.WEST; if (pInsets != null) { c.insets = pInsets; //new Insets(top, left, bottom, right) } pPanel.add(tLabel, c); } private void addParameterValue( int pRow, int pCol, JPanel pPanel, JTextField pTextField, Insets pInsets ) { GridBagConstraints c = new GridBagConstraints(); c.gridx = pCol; c.gridy = pRow; if (pInsets != null) { c.insets = pInsets; //new Insets(top, left, bottom, right) } c.anchor = GridBagConstraints.WEST; pPanel.add(pTextField, c); } }
34.12709
156
0.724912
04d38b8fcf572fa576bbf1cd0e7e4d93f51886e6
1,435
package it.com.atlassian.plugin.connect.plugin; import com.atlassian.plugin.ModuleDescriptor; import com.atlassian.plugin.PluginAccessor; import com.atlassian.plugin.connect.api.util.ConnectPluginInfo; import com.atlassian.plugins.osgi.test.AtlassianPluginsTestRunner; import org.junit.Test; import org.junit.runner.RunWith; import java.util.Collection; @RunWith(AtlassianPluginsTestRunner.class) public class PluginDescriptorTest { private final PluginAccessor pluginAccessor; public PluginDescriptorTest(PluginAccessor pluginAccessor) { this.pluginAccessor = pluginAccessor; } @Test public void shouldReturnModulesForDescriptors() { final Collection<ModuleDescriptor<Object>> moduleDescriptors = pluginAccessor.getModuleDescriptors( moduleDescriptor -> ConnectPluginInfo.getPluginKey().equals(moduleDescriptor.getPluginKey())); for (ModuleDescriptor<Object> moduleDescriptor : moduleDescriptors) { if (moduleDescriptor.getKey().equals("analyticsWhitelist")) { // getModule() appears to be broken in AnalyticsWhitelistModuleDescriptor from analytics-client continue; } try { moduleDescriptor.getModule(); } catch (UnsupportedOperationException e) { // Module types, web resources etc. do not expose classes via getModule() } } } }
36.794872
111
0.713589
fd98f9e1f35964038962a080f96d1e07cc79e111
1,855
package ru.job4j.total.input; import javafx.util.Pair; import java.util.List; import java.util.Scanner; /** * Класс, реализующий ввод пользователя с консоли * @author Nikolay Meleshkin ([email protected]) * @version 0.1 */ public class ConsoleInput implements Input, UserInput { private final Scanner scanner; public ConsoleInput() { this.scanner = new Scanner(System.in); } @Override public Pair<Integer, Integer> getPairCoor(List<Pair<Integer, Integer>> range) { int c1 = -1, c2 = -1; while (!range.contains(new Pair<>(c1, c2))) { System.out.println("Enter first coordinate"); while (!scanner.hasNextInt()) { System.out.println("Enter correct number"); scanner.next(); } c1 = scanner.nextInt(); System.out.println("Enter second coordinate"); while (!scanner.hasNextInt()) { System.out.println("Enter correct number"); scanner.next(); } c2 = scanner.nextInt(); if (!range.contains(new Pair<>(c1, c2))) { System.out.println("Unavailable pair. Try again"); } } return new Pair<>(c1, c2); } @Override public int getInt(int min, int max) { boolean interupt = true; int result = 0; while (interupt) { if (scanner.hasNextInt()) { result = scanner.nextInt(); if (result >= min && result <= max) { interupt = false; } else { System.out.println("Enter a number between " + min + " and " + max); } } else { System.out.println("No number entered. Try again"); } } return result; } }
29.444444
88
0.521294
170a79fed22616a59ad138b3215823c6817d3d2f
2,136
package rocks.bottery.connector.stride.api; import java.io.Serializable; import java.util.HashMap; import java.util.Map; import javax.xml.bind.annotation.XmlRootElement; import com.fasterxml.jackson.annotation.JsonAnyGetter; import com.fasterxml.jackson.annotation.JsonAnySetter; import com.fasterxml.jackson.annotation.JsonIgnore; import com.fasterxml.jackson.annotation.JsonInclude; import com.fasterxml.jackson.annotation.JsonProperty; import com.fasterxml.jackson.annotation.JsonPropertyOrder; @JsonInclude(JsonInclude.Include.NON_NULL) @JsonPropertyOrder({ "id", "body", "text", "sender", "ts" }) @XmlRootElement(name = "Message") public class Message implements Serializable { @JsonProperty("id") private String id; @JsonProperty("body") private Body body; @JsonProperty("text") private String text; @JsonProperty("sender") private Participant sender; @JsonProperty("ts") private String ts; @JsonIgnore private Map<String, Object> additionalProperties = new HashMap<String, Object>(); private final static long serialVersionUID = -4942594968160423247L; @JsonProperty("id") public String getId() { return id; } @JsonProperty("id") public void setId(String id) { this.id = id; } @JsonProperty("body") public Body getBody() { if (body == null) { body = new Body(); } return body; } @JsonProperty("body") public void setBody(Body body) { this.body = body; } @JsonProperty("text") public String getText() { return text; } @JsonProperty("text") public void setText(String text) { this.text = text; } @JsonProperty("sender") public Participant getSender() { return sender; } @JsonProperty("sender") public void setSender(Participant sender) { this.sender = sender; } @JsonProperty("ts") public String getTs() { return ts; } @JsonProperty("ts") public void setTs(String ts) { this.ts = ts; } @JsonAnyGetter public Map<String, Object> getAdditionalProperties() { return this.additionalProperties; } @JsonAnySetter public void setAdditionalProperty(String name, Object value) { this.additionalProperties.put(name, value); } }
21.36
82
0.729869
08332919202cfbfd4d70e9d0e0ee73f2b1502a3f
2,662
package org.enricogiurin.codingchallenges.hackerrank.ipkit; import org.junit.Test; import java.util.Arrays; import java.util.stream.LongStream; import static org.assertj.core.api.Assertions.assertThat; public class DecibinaryNumbersTest { @Test public void decibinaryNumbers() { assertThat(DecibinaryNumbers.decibinaryNumbers(10L)).isEqualTo(100); } @Test public void bidecimal2decimal() { assertThat(DecibinaryNumbers.bd2d(31L)).isEqualTo(7L); assertThat(DecibinaryNumbers.bd2d(0L)).isEqualTo(0L); assertThat(DecibinaryNumbers.bd2d(1L)).isEqualTo(1L); assertThat(DecibinaryNumbers.bd2d(42L)).isEqualTo(10L); } @Test public void bidecimal2decima2l() { assertThat(DecibinaryNumbers.bd2d(10L)).isEqualTo(2L); assertThat(DecibinaryNumbers.bd2d(20L)).isEqualTo(4L); assertThat(DecibinaryNumbers.bd2d(50L)).isEqualTo(10L); assertThat(DecibinaryNumbers.bd2d(51L)).isEqualTo(11L); } @Test public void time() { LongStream.rangeClosed(0L, 100_000L) .forEach(DecibinaryNumbers::bd2d); } @Test public void manyLinesTest() { long[] input = {7839, 2122, 4024, 2714, 4377, 6378, 2952, 5860, 7837, 7303, 637, 7458, 6853, 4803, 7122, 1413, 3358, 4879, 1308, 7405, 820, 7063, 4594, 2406, 3907, 578, 1292, 2595, 6292, 719, 6841, 4732, 1767, 3571, 7678, 2196, 6976, 7296, 5488, 1907, 1258, 1341, 6236, 5089, 5333, 7069, 2871, 6358, 3045, 4972, 1026, 3625, 7440, 4062, 3111, 2235, 725, 5886, 5927, 5125, 746, 2169, 3044, 4230, 5115, 6589, 1721, 5861, 950, 4801, 6378, 2191, 910, 4961, 7570, 5218, 5187, 2131, 4827, 1004, 7001, 3029, 7810, 3105, 1836, 1836, 1262, 1293, 453, 5360, 3709, 4713, 5441, 626, 4188, 7453, 667, 424, 3720, 1032}; long[] expected = {21148, 10511, 100232, 755, 3434, 21312, 2428, 3631, 21084, 5307, 1138, 21091, 2818, 21027, 30210, 10090, 1734, 1860, 10241, 13219, 10052, 20346, 1659, 2521, 10392, 1209, 3201, 3226, 12272, 1307, 2586, 11347, 2181, 951, 5420, 1560, 11482, 5163, 1950, 2238, 1425, 634, 10568, 20500, 12093, 20434, 20035, 20504, 11260, 6004, 519, 3159, 20355, 1593, 669, 3080, 2019, 4511, 10751, 100260, 10131, 736, 11252, 13017, 100092, 7001, 637, 3703, 1182, 20411, 21312, 1480, 10141, 5052, 110211, 3285, 1933, 11143, 100219, 10302, 12282, 10612, 20188, 101004, 11301, 11301, 1513, 4001, 1055, 13125, 11343, 10635, 101045, 506, 11177, 20611, 10026, 10030, 12063, 615}; long[] result = Arrays.stream(input) .map(DecibinaryNumbers::decibinaryNumbers) .toArray(); assertThat(result).isEqualTo(expected); } }
46.701754
678
0.670173
0228668aa52e9f52e9c5b2f3b1783cb055f11e1a
2,243
package Lazerz; import com.qualcomm.robotcore.eventloop.opmode.Autonomous; import com.qualcomm.robotcore.eventloop.opmode.Disabled; import com.qualcomm.robotcore.eventloop.opmode.LinearOpMode; import com.qualcomm.robotcore.hardware.DcMotor; import com.qualcomm.robotcore.hardware.DcMotorSimple; import com.qualcomm.robotcore.hardware.DistanceSensor; import com.qualcomm.robotcore.hardware.Servo; import OfficialOpmodes.TeleOpOfficial; /** * Created by hhs-robotics on 8/1/2018. */ @Disabled @Autonomous(name = "AutoRi3d", group = "Auto") public class AutoRi3d extends TeleOpOfficial { DcMotor motorL; DcMotor motorR; Servo lServo; Servo rServo; DistanceSensor sensor; private void drive(double power, long time) throws InterruptedException { motorL.setPower(power); motorR.setPower(power); Thread.sleep(time); motorL.setPower(0); motorR.setPower(0); } private void turn(double powerL, double powerR, long time) throws InterruptedException{ motorL.setPower(powerL); motorR.setPower(powerR); Thread.sleep(time); motorL.setPower(0); motorR.setPower(0); } public void runOpMode() throws InterruptedException { motorL = hardwareMap.get(DcMotor.class, "leftMotor"); motorR = hardwareMap.get(DcMotor.class, "rightMotor"); lServo=hardwareMap.get(Servo.class,"lServo"); rServo=hardwareMap.get(Servo.class,"rServo"); lServo.setDirection(Servo.Direction.REVERSE); rServo.setDirection(Servo.Direction.FORWARD); sensor=hardwareMap.get(DistanceSensor.class,"sensor"); motorR.setDirection(DcMotorSimple.Direction.REVERSE); lServo.setPosition(.1); rServo.setPosition(.1); Thread.sleep(3400); lServo.setPosition(0); rServo.setPosition(0); motorL.setPower(.4); motorR.setPower(-.2); Thread.sleep(900); motorR.setPower(.4); Thread.sleep(500); motorR.setPower(0); motorL.setPower(-.4); Thread.sleep(900); motorR.setPower(-.4); motorL.setPower(-.4); Thread.sleep(2000); motorR.setPower(0); motorL.setPower(0); } }
28.0375
91
0.669639
2d3aae68ab5d306297d5d90df24dc80d4b34791e
1,732
package practicaltest01.eim.systems.cs.pub.ro.practicaltest01; import android.app.Service; import android.content.Intent; import android.os.IBinder; import java.util.Calendar; public class PracticalTest01Service extends Service { public static final String PRACTICALTEST01_EIM_SYSTEMS_CS_PUB_RO_PRACTICALTEST0_INTENT_ACTION_BROAD_CAST = "practicaltest01.eim.systems.cs.pub.ro.practicaltest0.intent.action.BroadCast"; public static final int TIME_SLEEP = 1000; public PracticalTest01Service() { } @Override public IBinder onBind(Intent intent) { // TODO: Return the communication channel to the service. throw new UnsupportedOperationException("Not yet implemented"); } @Override public int onStartCommand(Intent intent, int flags, int startId) { String value1 = intent.getStringExtra("value1"); String value2 = intent.getStringExtra("value2"); Thread thread = new Thread() { @Override public void run() { while (true) { createMesaj(); mySleep(); } } }; thread.start(); return super.onStartCommand(intent, flags, startId); } private void createMesaj() { Intent broadcastIntent = new Intent(PRACTICALTEST01_EIM_SYSTEMS_CS_PUB_RO_PRACTICALTEST0_INTENT_ACTION_BROAD_CAST); broadcastIntent.putExtra("mesaj", "mesajul este " + Calendar.getInstance() + ""); sendBroadcast(broadcastIntent); } private void mySleep() { try { Thread.sleep(TIME_SLEEP); } catch (InterruptedException e) { e.printStackTrace(); } } }
23.726027
190
0.646651
91999cfbfdcc723788899586957f90da51c62fe9
2,598
package com.threelambda.btsniffer.bt; import lombok.Data; import org.joda.time.DateTime; import java.util.LinkedList; import java.util.List; import java.util.Optional; import java.util.concurrent.TimeUnit; import java.util.stream.Collectors; /** * Created by ym on 2019-04-28 */ @Data public class KBucket { private final BitMap prefix; private final LinkedList<Node> nodes; private final LinkedList<Node> candidates; private DateTime lastChanged; public KBucket(BitMap prefix) { nodes = new LinkedList<>(); candidates = new LinkedList<>(); lastChanged = DateTime.now(); this.prefix = prefix; } public synchronized DateTime getLastChanged() { return lastChanged; } public synchronized void updateLastChanged() { this.lastChanged = DateTime.now(); } public synchronized boolean insert(Node node) { boolean isNew = !nodes.contains(node); if(isNew) { nodes.push(node); } this.updateLastChanged(); return isNew; } public synchronized boolean insertCandi(Node node) { boolean isNew = !candidates.contains(node); candidates.push(node); this.updateLastChanged(); return isNew; } public synchronized void replace(Node node) { nodes.remove(node); if (candidates.size() == 0) { return; } Node last = candidates.removeLast(); if (nodes.size() == 0) { nodes.push(last); return; } boolean inserted = false; for (int i = 0; i < nodes.size(); i++) { Node n = nodes.get(i); long t = n.getLastActiveTime().getMillis(); if (node.getLastActiveTime().getMillis() < t) { nodes.add(i, node); inserted = true; break; } } if (!inserted) { nodes.push(node); } this.updateLastChanged(); } public synchronized Integer getSizeOfNodes() { return nodes.size(); } public synchronized Integer getSizeOfCandidates() { return candidates.size(); } /** * 获取nodes的id列表 * @return */ public synchronized Optional<Node> getNodeById(String id) { List<Node> list = nodes.stream().filter(node -> { return node.getId().rawString().equals(id); }).collect(Collectors.toList()); if (list.size() > 0) { return Optional.of(list.get(0)); } return Optional.empty(); } }
24.280374
63
0.571978
8170a9f7edbe806d5dedb5bb65c24b925aa297ce
2,493
/* * This file is part of adventure, licensed under the MIT License. * * Copyright (c) 2017-2021 KyoriPowered * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in all * copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE * SOFTWARE. */ package net.kyori.adventure.identity; import java.util.UUID; import java.util.stream.Stream; import net.kyori.examination.Examinable; import net.kyori.examination.ExaminableProperty; import org.checkerframework.checker.nullness.qual.NonNull; /** * An identity used to track the sender of messages for the social interaction features * introduced in <em>Minecraft: Java Edition</em> 1.16.4. * * @since 4.0.0 * @sinceMinecraft 1.16 */ public interface Identity extends Examinable { /** * Gets the {@code null} identity. * * <p>This should only be used when no players can be linked to a message.</p> * * @return the {@code null} identity * @since 4.0.0 */ static @NonNull Identity nil() { return Identities.NIL; } /** * Creates an identity. * * @param uuid the uuid * @return an identity * @since 4.0.0 */ static @NonNull Identity identity(final @NonNull UUID uuid) { if(uuid.equals(Identities.NIL.uuid())) return Identities.NIL; return new IdentityImpl(uuid); } /** * Gets the uuid. * * @return the uuid * @since 4.0.0 */ @NonNull UUID uuid(); @Override default @NonNull Stream<? extends ExaminableProperty> examinableProperties() { return Stream.of(ExaminableProperty.of("uuid", this.uuid())); } }
32.376623
87
0.717208
8b9334b95b41cc5e6e063d170022ef42e98aa928
4,630
package com.demon.baseui.keyboard; import android.content.Context; import android.inputmethodservice.Keyboard; import android.inputmethodservice.KeyboardView; import android.text.Editable; import android.view.View; import android.view.inputmethod.InputMethodManager; import android.widget.EditText; import com.demon.baseui.R; /** * @author DeMon * @date 2018/11/26 * @email [email protected] * @description */ public class KeyboardTEMPHelper { public static final int LAST = -7; public static final int NEXT = -8; public static final int ALL = -9; private Context context; private KeyboardView keyboardView; private EditText editText; private Keyboard k1;// 自定义键盘 private KeyboardCallBack callBack; public KeyboardTEMPHelper(Context context, KeyboardView keyboardView) { this(context, keyboardView, null); } public KeyboardTEMPHelper(Context context, KeyboardView keyboardView, KeyboardCallBack callBack) { this.context = context; k1 = new Keyboard(context, R.xml.keyboard_temp); this.keyboardView = keyboardView; this.keyboardView.setOnKeyboardActionListener(listener); this.keyboardView.setKeyboard(k1); this.keyboardView.setEnabled(true); this.keyboardView.setPreviewEnabled(false); this.callBack = callBack; } private KeyboardView.OnKeyboardActionListener listener = new KeyboardView.OnKeyboardActionListener() { @Override public void swipeUp() { } @Override public void swipeRight() { } @Override public void swipeLeft() { } @Override public void swipeDown() { } @Override public void onText(CharSequence text) { Editable editable = editText.getText(); int end = editText.getSelectionEnd(); editable.delete(0, end); editable.insert(0, text); } @Override public void onRelease(int primaryCode) { } @Override public void onPress(int primaryCode) { } @Override public void onKey(int primaryCode, int[] keyCodes) { Editable editable = editText.getText(); int start = editText.getSelectionStart(); int end = editText.getSelectionEnd(); switch (primaryCode) { case Keyboard.KEYCODE_DELETE: if (editable != null && editable.length() > 0) { if (start == end) { editable.delete(start - 1, start); } else { editable.delete(start, end); } } break; case Keyboard.KEYCODE_CANCEL: keyboardView.setVisibility(View.GONE); break; case ALL: editText.selectAll(); break; case LAST: case NEXT: break; default: if (start != end) { editable.delete(start, end); } editable.insert(start, Character.toString((char) primaryCode)); break; } if (callBack != null) { callBack.keyCall(primaryCode); } } }; public void setEditText(EditText editText) { this.editText = editText; InputMethodManager imm = (InputMethodManager) context.getSystemService(Context.INPUT_METHOD_SERVICE); if (imm != null) { imm.hideSoftInputFromWindow(editText.getWindowToken(), 0); //强制隐藏 } KeyboardUtil.hideSoftInput(editText); } //Activity中获取焦点时调用,显示出键盘 public void show() { int visibility = keyboardView.getVisibility(); if (visibility == View.GONE || visibility == View.INVISIBLE) { keyboardView.setVisibility(View.VISIBLE); } } // 隐藏键盘 public void hide() { int visibility = keyboardView.getVisibility(); if (visibility == View.VISIBLE) { keyboardView.setVisibility(View.GONE); } } public boolean isVisibility() { if (keyboardView.getVisibility() == View.VISIBLE) { return true; } else { return false; } } public interface KeyboardCallBack { void keyCall(int code); } public void setCallBack(KeyboardCallBack callBack) { this.callBack = callBack; } }
29.490446
109
0.569546
debfcba06f0c3ac3a7ebc24ebe126b8162eba1a6
4,103
package old.Structures; import java.util.LinkedList; import java.util.Queue; public class BinaryTreeDemo { public static void main(String[] args) { // TODO Auto-generated method stub int[] arr = {20, 15, 6, 18, 3, 1, 9, 33, 30, 36}; BinaryTree bst = new BinaryTree(); for (int i : arr) { bst.insertBST(i); } bst.PreOrderTraverse(bst.root); System.out.println("************"); bst.PreOrderTraverse2(bst.root); /* bst.inOrderTraverse(bst.root); System.out.println("************"); bst.AftOrderTraverse(bst.root);*/ System.out.println("NodeNum : " + bst.getNodeNum(bst.root)); System.out.println("Depth : " + bst.GetDepth(bst.root)); } } class BinaryTree { class Node { int data; Node pLeft; Node pRight; public Node(int data) { this.data = data; pLeft = null; pRight = null; } } public Node root;//���ڵ� public void insertBST(int data) {//�ڶ����������в������� Node node = new Node(data); if (root == null) { //��ʱû��Ԫ�� root = node; root.pLeft = null; root.pRight = null; } else { Node current = root; Node parent = null; while (true) { if (data < current.data) {//��������С�����ĸ�����ֵ parent = current; current = current.pLeft; if (current == null) {//˵���ҵ����һ���� parent.pLeft = node; break; } } else {//��������ֵ���Ǵ��ڵ������ĸ�����ֵ parent = current; current = current.pRight; if (current == null) { parent.pRight = node; break; } } } } } public void PreOrderTraverse(Node node) {//ǰ�����--���ȸ�����,ͨ���ݹ鷽ʽ if (node == null) {//���� return; } System.out.println(node.data); PreOrderTraverse(node.pLeft); PreOrderTraverse(node.pRight); } public void PreOrderTraverse2(Node node) {//ǰ�����--���ȸ�����,ͨ���ǵݹ鷽ʽ��������ջ LinkedList<Node> ll = new LinkedList<Node>(); ll.offerFirst(node); while (!ll.isEmpty()) { Node tmpNode = ll.pollFirst(); System.out.println(tmpNode.data); if (tmpNode.pRight != null) { ll.offerFirst(tmpNode.pRight); } if (tmpNode.pLeft != null) { ll.offerFirst(tmpNode.pLeft); } } } public void inOrderTraverse(Node node) {//�������,ͨ���ݹ鷽ʽ if (node == null) {//���� return; } inOrderTraverse(node.pLeft); System.out.println(node.data); inOrderTraverse(node.pRight); } public void AftOrderTraverse(Node node) {//�������,ͨ���ݹ鷽ʽ if (node == null) {//���� return; } AftOrderTraverse(node.pLeft); AftOrderTraverse(node.pRight); System.out.println(node.data); } public void LevelTraverse(Node node) {//������ȱ�����˳��Ϊ�������£��������� } /* * ��������еĽڵ����: * ˼·����1�����������Ϊ�գ��ڵ����Ϊ0 ��2�������������Ϊ�գ��������ڵ���� = �������ڵ���� + �������ڵ���� + 1 */ public int getNodeNum(Node node) { if (node == null) {//�ݹ���� return 0; } return getNodeNum(node.pLeft) + getNodeNum(node.pRight) + 1; } /* * �����������ȣ� * 1.���������Ϊ�գ����Ϊ0 * 2.�����������Ϊ�գ����Ϊmax(��������ȣ����������)+1 */ public int GetDepth(Node node) { if (node == null) {//�ݹ���� return 0; } int depthLeft = GetDepth(node.pLeft); int depthRight = GetDepth(node.pRight); return Math.max(depthLeft, depthRight) + 1; } /* * �ǵݹ�ʵ��ǰ����� */ }
26.993421
83
0.429442
c74dd61a7f08e6b10cc02220543cefff854d219c
3,179
/* * Copyright 2010-2013 Ning, Inc. * * Ning licenses this file to you under the Apache License, version 2.0 * (the "License"); you may not use this file except in compliance with the * License. You may obtain a copy of the License at: * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations * under the License. */ package com.ning.billing.catalog.rules; import com.ning.billing.catalog.DefaultPriceList; import com.ning.billing.catalog.DefaultProduct; import com.ning.billing.catalog.StandaloneCatalog; import com.ning.billing.catalog.api.BillingPeriod; import com.ning.billing.catalog.api.CatalogApiException; import com.ning.billing.catalog.api.PlanSpecifier; import com.ning.billing.catalog.api.ProductCategory; import com.ning.billing.util.config.catalog.ValidatingConfig; import com.ning.billing.util.config.catalog.ValidationErrors; public abstract class Case<T> extends ValidatingConfig<StandaloneCatalog> { protected abstract T getResult(); public abstract DefaultProduct getProduct(); public abstract ProductCategory getProductCategory(); public abstract BillingPeriod getBillingPeriod(); public abstract DefaultPriceList getPriceList(); public T getResult(final PlanSpecifier planPhase, final StandaloneCatalog c) throws CatalogApiException { if (satisfiesCase(planPhase, c)) { return getResult(); } return null; } protected boolean satisfiesCase(final PlanSpecifier planPhase, final StandaloneCatalog c) throws CatalogApiException { return (getProduct() == null || getProduct().equals(c.findCurrentProduct(planPhase.getProductName()))) && (getProductCategory() == null || getProductCategory().equals(planPhase.getProductCategory())) && (getBillingPeriod() == null || getBillingPeriod().equals(planPhase.getBillingPeriod())) && (getPriceList() == null || getPriceList().equals(c.findCurrentPriceList(planPhase.getPriceListName()))); } public static <K> K getResult(final Case<K>[] cases, final PlanSpecifier planSpec, final StandaloneCatalog catalog) throws CatalogApiException { if (cases != null) { for (final Case<K> c : cases) { final K result = c.getResult(planSpec, catalog); if (result != null) { return result; } } } return null; } @Override public ValidationErrors validate(final StandaloneCatalog catalog, final ValidationErrors errors) { return errors; } protected abstract Case<T> setProduct(DefaultProduct product); protected abstract Case<T> setProductCategory(ProductCategory productCategory); protected abstract Case<T> setBillingPeriod(BillingPeriod billingPeriod); protected abstract Case<T> setPriceList(DefaultPriceList priceList); }
38.768293
148
0.716892
c4f887585c65b87992452d39ee76e539c171414d
310
package com.example.mongodbstudy.dao; import com.example.mongodbstudy.model.ProductComment; import org.springframework.data.mongodb.repository.MongoRepository; import org.springframework.stereotype.Repository; @Repository public interface ProductCommentDao extends MongoRepository<ProductComment,String> { }
31
83
0.86129
f11405f25d599c248978042c520bd9022f312bc1
226
package newsapp.xtapp.com.staggeredpic.config; import com.bumptech.glide.annotation.GlideModule; import com.bumptech.glide.module.AppGlideModule; /** */ @GlideModule public class PICGlideModule extends AppGlideModule { }
17.384615
52
0.80531
6063561df1311bb4b91fac4784df85ff2e4c0b58
3,404
package org.broadinstitute.consent.http; import org.broadinstitute.consent.http.models.grammar.Everything; import org.broadinstitute.consent.http.models.grammar.Not; import org.broadinstitute.consent.http.models.grammar.Nothing; import org.broadinstitute.consent.http.models.grammar.And; import org.broadinstitute.consent.http.models.grammar.Named; import org.broadinstitute.consent.http.models.grammar.UseRestriction; import org.broadinstitute.consent.http.models.grammar.Some; import org.broadinstitute.consent.http.models.grammar.Only; import org.broadinstitute.consent.http.models.grammar.Or; import org.junit.Assert; import org.junit.Test; /** * Test for full object deserialization from valid json strings for each of the grammar cases. */ public class RestrictionParserTest { @Test public void testAnd() throws Exception { And restriction = (And) UseRestriction.parse("{\"type\":\"and\",\"operands\":[{\"type\":\"named\",\"name\":\"DOID:1\"},{\"type\":\"named\",\"name\":\"DOID:2\"}]}"); Assert.assertTrue(restriction.getType().equals("and")); Assert.assertTrue(restriction.getOperands().length == 2); } @Test public void testEverything() throws Exception { Everything restriction = (Everything) UseRestriction.parse("{\"type\":\"everything\"}"); Assert.assertTrue(restriction.getType().equals("everything")); } @Test public void testNamed() throws Exception { Named restriction = (Named) UseRestriction.parse("{\"type\":\"named\",\"name\":\"DOID:1\"}"); Assert.assertTrue(restriction.getType().equals("named")); Assert.assertTrue(restriction.getName().equals("DOID:1")); } @Test public void testNot() throws Exception { Not restriction = (Not) UseRestriction.parse("{\"type\":\"not\",\"operand\":{\"type\":\"named\",\"name\":\"DOID:1\"}}"); Assert.assertTrue(restriction.getType().equals("not")); } @Test public void testNothing() throws Exception { Nothing restriction = (Nothing) UseRestriction.parse("{\"type\":\"nothing\"}"); Assert.assertTrue(restriction.getType().equals("nothing")); } @Test public void testOnly() throws Exception { Only restriction = (Only) UseRestriction.parse("{\"type\":\"only\",\"property\":\"methods\",\"target\":{\"type\":\"named\",\"name\":\"DOID:1\"}}"); Assert.assertTrue(restriction.getType().equals("only")); Assert.assertTrue(restriction.getProperty().equals("methods")); Assert.assertTrue(restriction.getTarget().toString().contains("DOID:1")); } @Test public void testOr() throws Exception { Or restriction = (Or) UseRestriction.parse("{\"type\":\"or\",\"operands\":[{\"type\":\"named\",\"name\":\"DOID:1\"},{\"type\":\"named\",\"name\":\"DOID:2\"}]}"); Assert.assertTrue(restriction.getType().equals("or")); Assert.assertTrue(restriction.getOperands().length == 2); } @Test public void testSome() throws Exception { Some restriction = (Some) UseRestriction.parse("{\"type\":\"some\",\"property\":\"methods\",\"target\":{\"type\":\"named\",\"name\":\"DOID:1\"}}"); Assert.assertTrue(restriction.getType().equals("some")); Assert.assertTrue(restriction.getProperty().equals("methods")); Assert.assertTrue(restriction.getTarget().toString().contains("DOID:1")); } }
44.789474
172
0.661868
5d922a3305676f7b6cfa5d90e356fd7340f562c1
272
package com.android.slangify.application_logic.interfaces; /** * Created by avishai on 5/27/2017. */ public interface CaptureManagerInterface { void onSurfaceCreated(); void startCapturing(CaptureVideoListener captureVideoListener); void release(); }
16
67
0.75
1d1df338ce024606cd9572bf8c6b2a9bb82fb1b1
2,045
package top.chenqwwq.leetcode.archive.$20200418.by_topics.dynamic_programming; /** * 304. 二维区域和检索 - 矩阵不可变 * <p> * 给定一个二维矩阵,计算其子矩形范围内元素的总和,该子矩阵的左上角为 (row1, col1) ,右下角为 (row2, col2)。 * <p> * Range Sum Query 2D * 上图子矩阵左上角 (row1, col1) = (2, 1) ,右下角(row2, col2) = (4, 3),该子矩形内元素的总和为 8。 * <p> * 示例: * <p> * 给定 matrix = [ * [3, 0, 1, 4, 2], * [5, 6, 3, 2, 1], * [1, 2, 0, 1, 5], * [4, 1, 0, 1, 7], * [1, 0, 3, 0, 5] * ] * <p> * sumRegion(2, 1, 4, 3) -> 8 * sumRegion(1, 1, 2, 2) -> 11 * sumRegion(1, 2, 2, 4) -> 12 * 说明: * <p> * 你可以假设矩阵不可变。 * 会多次调用 sumRegion 方法。 * 你可以假设 row1 ≤ row2 且 col1 ≤ col2。 * * @author chen * @date 2019/12/25 下午11:15 */ public class $304_RangeSumQuery2dImmutable { public static void main(String[] args) { NumMatrix numMatrix = new NumMatrix(new int[][]{{3, 0, 1, 4, 2}, {5, 6, 3, 2, 1}, {1, 2, 0, 1, 5}, {4, 1, 0, 1, 7}, {1, 0, 3, 0, 5}}); // System.out.println(numMatrix.sumRegion(0, 0, 1, 1)); System.out.println(numMatrix.sumRegion(1, 1, 2, 2)); System.out.println(numMatrix.sumRegion(1, 2, 2, 4)); } static class NumMatrix { /** * CACHE中(i,j)表示第i行0~j(左闭右闭)的和 * // (i,j)还能保存为(0,0)到(i,j)的面积 */ private int[][] CACHE; public NumMatrix(int[][] matrix) { if (matrix == null || matrix.length == 0) { CACHE = new int[0][0]; return; } CACHE = new int[matrix.length][matrix[0].length]; for (int i = 0; i < CACHE.length; i++) { int sum = 0; for (int j = 0; j < CACHE[0].length; j++) { CACHE[i][j] = (sum += matrix[i][j]); } } } public int sumRegion(int row1, int col1, int row2, int col2) { // 假定四个参数范围正确 int sum = 0; for (int i = row1; i <= row2; i++) { sum += (CACHE[i][col2] - (col1 == 0 ? 0 : CACHE[i][col1 - 1])); } return sum; } } }
28.013699
142
0.470416
68a0e5b1ab56b28141e6017f1a8692afbd079686
646
package answers.recursion.task5; /** * TODO complete lore * * Task: * Implement method that checks if n is a power of 2. * Print "YES" if it is. * Print "NO if isn't. * Use recursion! * * Example: * n == 10. result: NO. * n = 64. result: YES. (2*2*2*2*2*2 == 64) */ public class Solution { public static void main(String[] args) { int n = 4096; isPowerOfTwo(n); n = 10; isPowerOfTwo(n); } public static void isPowerOfTwo(double n) { if (n == 1) System.out.println("YES"); else if (n > 1){ isPowerOfTwo(n / 2); } else System.out.println("NO"); } }
20.1875
53
0.544892
77faa77a352a54e1c7fa0c1e05e9fcafa399386f
14,581
package com.commercetools.sync.integration.services.impl; import static com.commercetools.sync.integration.commons.utils.CustomObjectITUtils.createCustomObject; import static com.commercetools.sync.integration.commons.utils.CustomObjectITUtils.deleteCustomObject; import static com.commercetools.sync.integration.commons.utils.SphereClientUtils.CTP_TARGET_CLIENT; import static com.commercetools.tests.utils.CompletionStageUtil.executeBlocking; import static org.assertj.core.api.Assertions.assertThat; import static org.mockito.ArgumentMatchers.any; import static org.mockito.Mockito.spy; import static org.mockito.Mockito.times; import static org.mockito.Mockito.verify; import static org.mockito.Mockito.when; import com.commercetools.sync.customobjects.CustomObjectSyncOptions; import com.commercetools.sync.customobjects.CustomObjectSyncOptionsBuilder; import com.commercetools.sync.customobjects.helpers.CustomObjectCompositeIdentifier; import com.commercetools.sync.services.CustomObjectService; import com.commercetools.sync.services.impl.CustomObjectServiceImpl; import com.fasterxml.jackson.databind.JsonNode; import com.fasterxml.jackson.databind.node.JsonNodeFactory; import com.fasterxml.jackson.databind.node.ObjectNode; import io.sphere.sdk.client.BadGatewayException; import io.sphere.sdk.client.SphereClient; import io.sphere.sdk.customobjects.CustomObject; import io.sphere.sdk.customobjects.CustomObjectDraft; import io.sphere.sdk.customobjects.queries.CustomObjectQuery; import io.sphere.sdk.utils.CompletableFutureUtils; import java.util.ArrayList; import java.util.HashSet; import java.util.List; import java.util.Optional; import java.util.Set; import org.junit.jupiter.api.AfterAll; import org.junit.jupiter.api.BeforeEach; import org.junit.jupiter.api.Test; class CustomObjectServiceImplIT { private CustomObjectService customObjectService; private static final String OLD_CUSTOM_OBJECT_KEY = "old_custom_object_key"; private static final String OLD_CUSTOM_OBJECT_CONTAINER = "old_custom_object_container"; private static final ObjectNode OLD_CUSTOM_OBJECT_VALUE = JsonNodeFactory.instance .objectNode() .put("old_custom_object_attribute", "old_custom_object_value"); private static final String NEW_CUSTOM_OBJECT_KEY = "new_custom_object_key"; private static final String NEW_CUSTOM_OBJECT_CONTAINER = "new_custom_object_container"; private static final ObjectNode NEW_CUSTOM_OBJECT_VALUE = JsonNodeFactory.instance .objectNode() .put("new_custom_object_attribute", "new_custom_object_value"); private List<String> errorCallBackMessages; private List<Throwable> errorCallBackExceptions; /** * Deletes customObjects from the target CTP project, then it populates the project with test * data. */ @BeforeEach void setup() { errorCallBackMessages = new ArrayList<>(); errorCallBackExceptions = new ArrayList<>(); deleteCustomObject(CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY, OLD_CUSTOM_OBJECT_CONTAINER); deleteCustomObject(CTP_TARGET_CLIENT, NEW_CUSTOM_OBJECT_KEY, NEW_CUSTOM_OBJECT_CONTAINER); createCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY, OLD_CUSTOM_OBJECT_CONTAINER, OLD_CUSTOM_OBJECT_VALUE); final CustomObjectSyncOptions customObjectSyncOptions = CustomObjectSyncOptionsBuilder.of(CTP_TARGET_CLIENT) .errorCallback( (exception, oldResource, newResource, updateActions) -> { errorCallBackMessages.add(exception.getMessage()); errorCallBackExceptions.add(exception.getCause()); }) .build(); customObjectService = new CustomObjectServiceImpl(customObjectSyncOptions); } /** Cleans up the target test data that were built in this test class. */ @AfterAll static void tearDown() { deleteCustomObject(CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY, OLD_CUSTOM_OBJECT_CONTAINER); deleteCustomObject(CTP_TARGET_CLIENT, NEW_CUSTOM_OBJECT_KEY, NEW_CUSTOM_OBJECT_CONTAINER); } @Test void fetchCachedCustomObjectId_WithNonExistingCustomObject_ShouldReturnEmptyCustomObject() { CustomObjectCompositeIdentifier compositeIdentifier = CustomObjectCompositeIdentifier.of("non-existing-key", "non-existing-container"); final Optional<String> customObject = customObjectService .fetchCachedCustomObjectId(compositeIdentifier) .toCompletableFuture() .join(); assertThat(customObject).isEmpty(); assertThat(errorCallBackExceptions).isEmpty(); assertThat(errorCallBackMessages).isEmpty(); } @Test void fetchMatchingCustomObjects_WithNonExistingKeysAndContainers_ShouldReturnEmptySet() { final Set<CustomObjectCompositeIdentifier> customObjectCompositeIdentifiers = new HashSet<>(); customObjectCompositeIdentifiers.add( CustomObjectCompositeIdentifier.of( OLD_CUSTOM_OBJECT_KEY + "_1", OLD_CUSTOM_OBJECT_CONTAINER + "_1")); customObjectCompositeIdentifiers.add( CustomObjectCompositeIdentifier.of( OLD_CUSTOM_OBJECT_KEY + "_2", OLD_CUSTOM_OBJECT_CONTAINER + "_2")); final Set<CustomObject<JsonNode>> matchingCustomObjects = customObjectService .fetchMatchingCustomObjects(customObjectCompositeIdentifiers) .toCompletableFuture() .join(); assertThat(matchingCustomObjects).isEmpty(); assertThat(errorCallBackExceptions).isEmpty(); assertThat(errorCallBackMessages).isEmpty(); } @Test void fetchMatchingCustomObjects_WithDifferentExistingCombinationOfKeysAndContainers_ShouldReturnEmptySet() { deleteCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_1", OLD_CUSTOM_OBJECT_CONTAINER + "_1"); deleteCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_1", OLD_CUSTOM_OBJECT_CONTAINER + "_2"); deleteCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_2", OLD_CUSTOM_OBJECT_CONTAINER + "_1"); deleteCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_2", OLD_CUSTOM_OBJECT_CONTAINER + "_2"); createCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_1", OLD_CUSTOM_OBJECT_CONTAINER + "_1", OLD_CUSTOM_OBJECT_VALUE); createCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_1", OLD_CUSTOM_OBJECT_CONTAINER + "_2", OLD_CUSTOM_OBJECT_VALUE); createCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_2", OLD_CUSTOM_OBJECT_CONTAINER + "_1", OLD_CUSTOM_OBJECT_VALUE); createCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_2", OLD_CUSTOM_OBJECT_CONTAINER + "_2", OLD_CUSTOM_OBJECT_VALUE); final Set<CustomObjectCompositeIdentifier> customObjectCompositeIdentifiers = new HashSet<>(); customObjectCompositeIdentifiers.add( CustomObjectCompositeIdentifier.of( OLD_CUSTOM_OBJECT_KEY + "_1", OLD_CUSTOM_OBJECT_CONTAINER + "_1")); customObjectCompositeIdentifiers.add( CustomObjectCompositeIdentifier.of( OLD_CUSTOM_OBJECT_KEY + "_1", OLD_CUSTOM_OBJECT_CONTAINER + "_2")); customObjectCompositeIdentifiers.add( CustomObjectCompositeIdentifier.of( OLD_CUSTOM_OBJECT_KEY + "_2", OLD_CUSTOM_OBJECT_CONTAINER + "_1")); final Set<CustomObject<JsonNode>> matchingCustomObjects = customObjectService .fetchMatchingCustomObjects(customObjectCompositeIdentifiers) .toCompletableFuture() .join(); assertThat(matchingCustomObjects).size().isEqualTo(3); assertThat(errorCallBackExceptions).isEmpty(); assertThat(errorCallBackMessages).isEmpty(); deleteCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_1", OLD_CUSTOM_OBJECT_CONTAINER + "_1"); deleteCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_1", OLD_CUSTOM_OBJECT_CONTAINER + "_2"); deleteCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_2", OLD_CUSTOM_OBJECT_CONTAINER + "_1"); deleteCustomObject( CTP_TARGET_CLIENT, OLD_CUSTOM_OBJECT_KEY + "_2", OLD_CUSTOM_OBJECT_CONTAINER + "_2"); } @Test void fetchMatchingCustomObjectsByCompositeIdentifiers_WithBadGateWayExceptionAlways_ShouldFail() { // Mock sphere client to return BadGatewayException on any request. final SphereClient spyClient = spy(CTP_TARGET_CLIENT); when(spyClient.execute(any(CustomObjectQuery.class))) .thenReturn(CompletableFutureUtils.exceptionallyCompletedFuture(new BadGatewayException())) .thenCallRealMethod(); final CustomObjectSyncOptions spyOptions = CustomObjectSyncOptionsBuilder.of(spyClient) .errorCallback( (exception, oldResource, newResource, updateActions) -> { errorCallBackMessages.add(exception.getMessage()); errorCallBackExceptions.add(exception.getCause()); }) .build(); final CustomObjectService spyCustomObjectService = new CustomObjectServiceImpl(spyOptions); final Set<CustomObjectCompositeIdentifier> customObjectCompositeIdentifiers = new HashSet<>(); customObjectCompositeIdentifiers.add( CustomObjectCompositeIdentifier.of(OLD_CUSTOM_OBJECT_KEY, OLD_CUSTOM_OBJECT_CONTAINER)); // test and assert assertThat(errorCallBackExceptions).isEmpty(); assertThat(errorCallBackMessages).isEmpty(); assertThat(spyCustomObjectService.fetchMatchingCustomObjects(customObjectCompositeIdentifiers)) .hasFailedWithThrowableThat() .isExactlyInstanceOf(BadGatewayException.class); } @Test void fetchCustomObject_WithNonExistingCustomObjectKeyAndContainer_ShouldReturnEmptyCustomObject() { final Optional<CustomObject<JsonNode>> customObjectOptional = CTP_TARGET_CLIENT .execute( CustomObjectQuery.ofJsonNode() .withPredicates( customObjectQueryModel -> customObjectQueryModel .key() .is(OLD_CUSTOM_OBJECT_KEY) .and( customObjectQueryModel .container() .is(OLD_CUSTOM_OBJECT_CONTAINER)))) .toCompletableFuture() .join() .head(); assertThat(customObjectOptional).isNotNull(); final Optional<CustomObject<JsonNode>> fetchedCustomObjectOptional = executeBlocking( customObjectService.fetchCustomObject( CustomObjectCompositeIdentifier.of("non-existing-key", "non-existing-container"))); assertThat(fetchedCustomObjectOptional).isEmpty(); assertThat(errorCallBackExceptions).isEmpty(); assertThat(errorCallBackMessages).isEmpty(); } @Test void upsertCustomObject_WithValidCustomObject_ShouldCreateCustomObjectAndCacheId() { final CustomObjectDraft<JsonNode> newCustomObjectDraft = CustomObjectDraft.ofUnversionedUpsert( NEW_CUSTOM_OBJECT_CONTAINER, NEW_CUSTOM_OBJECT_KEY, NEW_CUSTOM_OBJECT_VALUE); final SphereClient spyClient = spy(CTP_TARGET_CLIENT); final CustomObjectSyncOptions spyOptions = CustomObjectSyncOptionsBuilder.of(spyClient) .errorCallback( (exception, oldResource, newResource, updateActions) -> { errorCallBackMessages.add(exception.getMessage()); errorCallBackExceptions.add(exception.getCause()); }) .build(); final CustomObjectService spyCustomObjectService = new CustomObjectServiceImpl(spyOptions); final Optional<CustomObject<JsonNode>> createdCustomObject = spyCustomObjectService .upsertCustomObject(newCustomObjectDraft) .toCompletableFuture() .join(); final Optional<CustomObject<JsonNode>> queriedOptional = CTP_TARGET_CLIENT .execute( CustomObjectQuery.ofJsonNode() .withPredicates( customObjectQueryModel -> customObjectQueryModel .container() .is(NEW_CUSTOM_OBJECT_CONTAINER) .and(customObjectQueryModel.key().is(NEW_CUSTOM_OBJECT_KEY)))) .toCompletableFuture() .join() .head(); assertThat(queriedOptional) .hasValueSatisfying( queried -> assertThat(createdCustomObject) .hasValueSatisfying( created -> { assertThat(created.getKey()).isEqualTo(queried.getKey()); assertThat(created.getContainer()).isEqualTo(queried.getContainer()); assertThat(created.getId()).isEqualTo(queried.getId()); assertThat(created.getValue()).isEqualTo(queried.getValue()); })); // Assert that the created customObject is cached final Optional<String> customObjectId = spyCustomObjectService .fetchCachedCustomObjectId( CustomObjectCompositeIdentifier.of( NEW_CUSTOM_OBJECT_KEY, NEW_CUSTOM_OBJECT_CONTAINER)) .toCompletableFuture() .join(); assertThat(customObjectId).isPresent(); verify(spyClient, times(0)).execute(any(CustomObjectQuery.class)); } @Test void upsertCustomObject_WithDuplicateKeyAndContainerInCompositeIdentifier_ShouldUpdateValue() { // preparation final CustomObjectDraft<JsonNode> newCustomObjectDraft = CustomObjectDraft.ofUnversionedUpsert( OLD_CUSTOM_OBJECT_CONTAINER, OLD_CUSTOM_OBJECT_KEY, NEW_CUSTOM_OBJECT_VALUE); final Optional<CustomObject<JsonNode>> result = customObjectService.upsertCustomObject(newCustomObjectDraft).toCompletableFuture().join(); // assertion assertThat(result).isNotEmpty(); assertThat(errorCallBackMessages).hasSize(0); assertThat(errorCallBackExceptions).hasSize(0); assertThat(result.get().getValue()).isEqualTo(NEW_CUSTOM_OBJECT_VALUE); assertThat(result.get().getContainer()).isEqualTo(OLD_CUSTOM_OBJECT_CONTAINER); assertThat(result.get().getKey()).isEqualTo(OLD_CUSTOM_OBJECT_KEY); } }
43.786787
109
0.714766
2eab60580655b444c194b67feb587005a4e02385
29,669
/** * Copyright (c) 2007-2014 Kaazing Corporation. All rights reserved. * * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the * specific language governing permissions and limitations * under the License. */ package org.kaazing.gateway.server.config.parse; import java.io.BufferedOutputStream; import java.io.BufferedWriter; import java.io.ByteArrayInputStream; import java.io.ByteArrayOutputStream; import java.io.File; import java.io.FileInputStream; import java.io.FileOutputStream; import java.io.FileWriter; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.io.OutputStreamWriter; import java.io.PipedInputStream; import java.io.PipedOutputStream; import java.io.UnsupportedEncodingException; import java.net.URL; import java.util.ArrayList; import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.Properties; import java.util.concurrent.Callable; import java.util.concurrent.ExecutorService; import java.util.concurrent.Executors; import java.util.concurrent.Future; import javax.xml.parsers.SAXParser; import javax.xml.parsers.SAXParserFactory; import javax.xml.transform.ErrorListener; import javax.xml.transform.OutputKeys; import javax.xml.transform.Result; import javax.xml.transform.Source; import javax.xml.transform.Transformer; import javax.xml.transform.TransformerException; import javax.xml.transform.TransformerFactory; import javax.xml.transform.stream.StreamResult; import javax.xml.transform.stream.StreamSource; import org.apache.xmlbeans.XmlError; import org.apache.xmlbeans.XmlOptions; import org.jdom.Document; import org.jdom.Element; import org.jdom.input.SAXBuilder; import org.jdom.output.Format; import org.jdom.output.XMLOutputter; import org.kaazing.gateway.server.Launcher; import org.kaazing.gateway.server.config.parse.translate.GatewayConfigTranslator; import org.kaazing.gateway.server.config.parse.translate.GatewayConfigTranslatorFactory; import org.kaazing.gateway.server.config.sep2014.ClusterType; import org.kaazing.gateway.server.config.sep2014.GatewayConfigDocument; import org.kaazing.gateway.server.config.sep2014.PropertiesType; import org.kaazing.gateway.server.config.sep2014.PropertyType; import org.kaazing.gateway.server.config.sep2014.SecurityType; import org.kaazing.gateway.server.config.sep2014.ServiceDefaultsType; import org.kaazing.gateway.server.config.sep2014.ServiceType; import org.kaazing.gateway.util.parse.ConfigParameter; import org.slf4j.Logger; import org.xml.sax.Attributes; import org.xml.sax.Locator; import org.xml.sax.SAXException; import org.xml.sax.ext.DefaultHandler2; import org.xml.sax.ext.Locator2; import org.xml.sax.helpers.DefaultHandler; public class GatewayConfigParser { /** * Namespace for current release. */ private static final String GATEWAY_CONFIG_NS = "http://xmlns.kaazing.org/2014/09/gateway"; /** * Namespace for 4.0 release */ private static final String GATEWAY_CONFIG_201209_NS = "http://xmlns.kaazing.com/2012/09/gateway"; /** * Namespace for 3.5 release. */ private static final String GATEWAY_CONFIG_201208_NS = "http://xmlns.kaazing.com/2012/08/gateway"; /** * Namespace for 3.2-3.3 release. */ private static final String GATEWAY_CONFIG_201203_NS = "http://xmlns.kaazing.com/2012/03/gateway"; /** * Namespace for 3.0 -- 3.2 releases. */ private static final String GATEWAY_CONFIG_EXCALIBUR_NS = "http://xmlns.kaazing.com/gateway-config/excalibur"; /** * XSL stylesheet to be used before parsing. Adds xsi:type to login-module and service elements. */ private static final String GATEWAY_CONFIG_ANNOTATE_TYPES_XSL = "META-INF/gateway-config-annotate-types.xsl"; /** * XSL stylesheet to convert Dragonfire gateway-config.xml files to Excalibur production. */ private static final String GATEWAY_CONFIG_UPGRADE_DRAGONFIRE_XSL = "META-INF/gateway-config-upgrade-dragonfire.xsl"; /** * Charset string for XML prologue, must match {@link #CHARSET_OUTPUT} */ private static final String CHARSET_OUTPUT_XML = "UTF-16"; /** * Charset string for output stream, must match {@link #CHARSET_OUTPUT_XML} */ private static final String CHARSET_OUTPUT = "UTF16"; /** * Extension to add to translated/updated config files */ private static final String TRANSLATED_CONFIG_FILE_EXT = ".new"; private static final Logger LOGGER = Launcher.getGatewayStartupLogger(); private final Properties configuration; public GatewayConfigParser() { this(System.getProperties()); } public GatewayConfigParser(Properties configuration) { this.configuration = configuration; } private void translate(final GatewayConfigNamespace ns, final Document dom, final File translatedConfigFile) throws Exception { translate(ns, dom, translatedConfigFile, false); } private void translate(final GatewayConfigNamespace ns, final Document dom, final File translatedConfigFile, boolean skipWrite) throws Exception { GatewayConfigTranslator translator = GatewayConfigTranslatorFactory.getInstance().getTranslator(ns); translator.translate(dom); if (!skipWrite) { ByteArrayOutputStream baos = new ByteArrayOutputStream(); BufferedOutputStream bos = new BufferedOutputStream(baos); Format outputFormat = Format.getPrettyFormat(); outputFormat.setLineSeparator(System.getProperty("line.separator")); XMLOutputter xmlWriter = new XMLOutputter(outputFormat); xmlWriter.output(dom, bos); bos.close(); final String xml = baos.toString(); if (LOGGER.isDebugEnabled()) { LOGGER.debug(String.format("Translated gateway config XML:\n%s", xml)); } // Write the translated DOM out to the given file FileWriter fw = new FileWriter(translatedConfigFile); BufferedWriter bw = new BufferedWriter(fw); bw.write(xml); bw.close(); } } private File getTranslatedConfigFile(final File configFile) throws Exception { // Build a DOM of the config file, so that we can easily sniff the // namespace used. We then key off the namespace and attempt to // Do The Right Thing(tm). SAXBuilder xmlReader = new SAXBuilder(); Document dom = xmlReader.build(configFile); Element root = dom.getRootElement(); GatewayConfigNamespace ns = GatewayConfigNamespace.fromURI(root.getNamespace().getURI()); File translatedConfigFile = null; switch (ns) { case SEPTEMBER_2014: translatedConfigFile = configFile; translate(ns, dom, translatedConfigFile, true); break; } return translatedConfigFile; } /** * Parse and validate a gateway configuration file. * * @param configFile the configuration file * @return GatewayConfig the parsed gateway configuration * @throws Exception when a problem occurs */ public GatewayConfigDocument parse(final File configFile) throws Exception { long time = 0; if (LOGGER.isDebugEnabled()) { time = System.currentTimeMillis(); } // For errors and logging (KG-1379) we need to report the real config file name, // which is not always 'gateway-config.xml'. String configFileName = configFile.getName(); // Validate the gateway-config GatewayConfigDocument config = null; XmlOptions parseOptions = new XmlOptions(); parseOptions.setLoadLineNumbers(); parseOptions.setLoadLineNumbers(XmlOptions.LOAD_LINE_NUMBERS_END_ELEMENT); parseOptions.setLoadStripWhitespace(); parseOptions.setLoadStripComments(); File translatedConfigFile = null; try { translatedConfigFile = getTranslatedConfigFile(configFile); } catch (Exception e) { Throwable rootCause = getRootCause(e); if (rootCause == null) { rootCause = e; } if (LOGGER.isDebugEnabled()) { LOGGER.error("Error upgrading XML: " + rootCause, rootCause); } else { LOGGER.error("Error upgrading XML: " + rootCause); } // If it's not an IllegalArgumentException, wrap it in a // GatewayConfigParserException if (e instanceof IllegalArgumentException) { throw e; } else { throw new GatewayConfigParserException(e.getMessage()); } } List<String> xmlParseErrors = new ArrayList<String>(); try { config = GatewayConfigDocument.Factory.parse(new FileInputStream(translatedConfigFile), parseOptions); } catch (Exception e) { // track the parse error so that we don't make the 2nd pass through the file xmlParseErrors.add("Invalid XML: " + getRootCause(e).getMessage()); } if (xmlParseErrors.isEmpty()) { // The properties used in parameter substitution are now proper XMLBeans // and should be injected after an initial parse GatewayConfigDocument.GatewayConfig gatewayConfig = config.getGatewayConfig(); PropertiesType properties = gatewayConfig.getProperties(); Map<String, String> propertiesMap = new HashMap<String, String>(); if (properties != null) { for (PropertyType propertyType : properties.getPropertyArray()) { propertiesMap.put(propertyType.getName(), propertyType.getValue()); } } // make a second pass through the file now, injecting the properties and performing XSL translations InputStream xmlInjectedIn = new PipedInputStream(); OutputStream xmlInjectedOut = new PipedOutputStream((PipedInputStream) xmlInjectedIn); ExecutorService xmlInjectedExecutor = Executors.newSingleThreadExecutor(); Future<Boolean> xmlInjectedFuture = xmlInjectedExecutor.submit(new XMLParameterInjector(new FileInputStream( translatedConfigFile), xmlInjectedOut, propertiesMap, configuration, xmlParseErrors)); // trace injected xml if (LOGGER.isTraceEnabled()) { xmlInjectedIn = bufferToTraceLog(xmlInjectedIn, "Gateway config file '" + configFileName + "' post parameter injection", LOGGER); } // Pass gateway-config through the pre-parse transformer InputStream xmlTransformedIn = new PipedInputStream(); OutputStream xmlTransformedOut = new PipedOutputStream((PipedInputStream) xmlTransformedIn); ExecutorService xmlTransformedExecutor = Executors.newSingleThreadExecutor(); Future<Boolean> xmlTransformedFuture = xmlTransformedExecutor.submit( new XSLTransformer(xmlInjectedIn, xmlTransformedOut, GATEWAY_CONFIG_ANNOTATE_TYPES_XSL)); // trace transformed xml if (LOGGER.isTraceEnabled()) { xmlTransformedIn = bufferToTraceLog(xmlTransformedIn, "Gateway config file '" + configFileName + "' post XSL transformation", LOGGER); } try { config = GatewayConfigDocument.Factory.parse(xmlTransformedIn, parseOptions); } catch (Exception e) { try { if (xmlInjectedFuture.get()) { if (xmlTransformedFuture.get()) { throw e; } } } catch (Exception n) { xmlParseErrors.add("Invalid XML: " + getRootCause(n).getMessage()); } } finally { xmlInjectedFuture.cancel(true); xmlInjectedExecutor.shutdownNow(); xmlTransformedFuture.cancel(true); xmlTransformedExecutor.shutdownNow(); } } validateGatewayConfig(config, xmlParseErrors); if (LOGGER.isDebugEnabled()) { LOGGER.debug("parsed " + " gateway config file '" + configFileName + "' in [" + (System.currentTimeMillis() - time) + " ms]"); } return config; } /** * Validate the parsed gateway configuration file. * * @param configDoc the XmlObject representing the gateway-config document */ private void validateGatewayConfig(GatewayConfigDocument configDoc, List<String> preProcessErrors) { List<XmlError> errorList = new ArrayList<XmlError>(); for (String preProcessError : preProcessErrors) { errorList.add(XmlError.forMessage(preProcessError, XmlError.SEVERITY_ERROR)); } if (errorList.isEmpty()) { XmlOptions validationOptions = new XmlOptions(); validationOptions.setLoadLineNumbers(); validationOptions.setLoadLineNumbers(XmlOptions.LOAD_LINE_NUMBERS_END_ELEMENT); validationOptions.setErrorListener(errorList); boolean valid = configDoc.validate(validationOptions); if (valid) { // Perform custom validations that aren't expressed in the XSD GatewayConfigDocument.GatewayConfig config = configDoc.getGatewayConfig(); ServiceType[] services = config.getServiceArray(); if (services != null && services.length > 0) { List<String> serviceNames = new ArrayList<String>(); for (ServiceType service : services) { String name = service.getName(); if (name == null || name.length() == 0) { errorList.add(XmlError.forMessage("All services must have unique non-empty names", XmlError.SEVERITY_ERROR)); } else if (serviceNames.indexOf(name) >= 0) { errorList.add(XmlError .forMessage("Service name must be unique. More than one service named '" + name + "'", XmlError.SEVERITY_ERROR)); } else { serviceNames.add(name); } } } SecurityType[] security = config.getSecurityArray(); if (security != null && security.length > 1) { errorList.add(XmlError.forMessage("Multiple <security> elements found; only one allowed", XmlError.SEVERITY_ERROR)); } ServiceDefaultsType[] serviceDefaults = config.getServiceDefaultsArray(); if (serviceDefaults != null && serviceDefaults.length > 1) { errorList.add(XmlError.forMessage("Multiple <service-defaults> elements found; only one allowed", XmlError.SEVERITY_ERROR)); } ClusterType[] clusterConfigs = config.getClusterArray(); if (clusterConfigs != null && clusterConfigs.length > 1) { errorList.add(XmlError.forMessage("Multiple <cluster> elements found; only one allowed", XmlError.SEVERITY_ERROR)); } } } // Report all validation errors if (errorList.size() > 0) { String validationError = "Validation errors in gateway configuration file"; LOGGER.error(validationError); for (XmlError error : errorList) { int line = error.getLine(); if (line != -1) { int column = error.getColumn(); if (column == -1) { LOGGER.error(" Line: " + line); } else { LOGGER.error(" Line: " + line + " Column: " + column); } } LOGGER.error(" " + error.getMessage().replaceAll("@" + GATEWAY_CONFIG_NS, "")); if (error.getMessage().contains("DataRateString")) { // Yeah, it's crude, but customers are going to keep tripping over cases like 100KB/s being invalid otherwise // Example output: // ERROR - Validation errors in gateway configuration file // ERROR - Line: 12 Column: 36 // ERROR - string value '1m' does not match pattern for DataRateString in namespace http://xmlns.kaazing // .com/2012/08/gateway // ERROR - (permitted data rate units are B/s, kB/s, KiB/s, kB/s, MB/s, and MiB/s) // ERROR - <xml-fragment xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"/> LOGGER.error(" " + "(permitted data rate units are B/s, kB/s, KiB/s, kB/s, MB/s, and MiB/s)"); } if (error.getCursorLocation() != null) { LOGGER.error(" " + error.getCursorLocation().xmlText()); } } throw new GatewayConfigParserException(validationError); } } /** * Write out an input stream to a new file. * * @param in the input stream * @param fileName the file name * @return whether file was successfully written * @throws IOException */ private void writeToNewFile(InputStream in, String fileName) throws IOException { // Create the new file File file = new File(fileName); boolean created = file.createNewFile(); // Read from input stream and write to file if (created) { OutputStream out = new FileOutputStream(file); try { byte[] buf = new byte[1024]; int len; while ((len = in.read(buf)) > 0) { out.write(buf, 0, len); } } finally { out.flush(); out.close(); in.close(); } } else { throw new IOException("Unable to create file " + fileName); } } /** * Get the root cause from a <code>Throwable</code> stack * * @param throwable * @return */ private static Throwable getRootCause(Throwable throwable) { List<Throwable> list = new ArrayList<Throwable>(); while (throwable != null && !list.contains(throwable)) { list.add(throwable); throwable = throwable.getCause(); } return list.get(list.size() - 1); } /** * Buffer a stream, flushing it to <code>log</code> and returning it as input * * @param input * @param message * @param log * @return */ private static InputStream bufferToTraceLog(InputStream input, String message, Logger log) { InputStream output = input; try { ByteArrayOutputStream buffer = new ByteArrayOutputStream(); int read; byte[] data = new byte[16384]; while ((read = input.read(data, 0, data.length)) != -1) { buffer.write(data, 0, read); } buffer.flush(); log.trace(message + "\n\n\n" + new String(buffer.toByteArray(), CHARSET_OUTPUT) + "\n\n\n"); output = new ByteArrayInputStream(buffer.toByteArray()); } catch (Exception e) { throw new RuntimeException("could not buffer stream", e); } return output; } /** * Count the number of new lines * * @param ch * @param start * @param length */ private static int countNewLines(char[] ch, int start, int length) { int newLineCount = 0; // quite reliable, since only Commodore 8-bit machines, TRS-80, Apple II family, Mac OS up to version 9 and OS-9 // use only '\r' for (int i = start; i < length; i++) { newLineCount = newLineCount + ((ch[i] == '\n') ? 1 : 0); } return newLineCount; } /** * Inject resolved parameter values into XML stream */ private static final class XMLParameterInjector implements Callable<Boolean> { private InputStream souceInput; private OutputStreamWriter injectedOutput; private Map<String, String> properties; private Properties configuration; private List<String> errors; private int currentFlushedLine = 1; public XMLParameterInjector(InputStream souceInput, OutputStream injectedOutput, Map<String, String> properties, Properties configuration, List<String> errors) throws UnsupportedEncodingException { this.souceInput = souceInput; this.injectedOutput = new OutputStreamWriter(injectedOutput, CHARSET_OUTPUT_XML); this.properties = properties; this.configuration = configuration; this.errors = errors; } private void write(char[] ch, int start, int length) { try { currentFlushedLine += countNewLines(ch, start, length); injectedOutput.write(ch, start, length); injectedOutput.flush(); } catch (IOException e) { throw new RuntimeException(e); } } private void write(char[] ch) { write(ch, 0, ch.length); } private void write(String s) { write(s.toCharArray(), 0, s.length()); } private void close() { try { souceInput.close(); injectedOutput.flush(); injectedOutput.close(); } catch (IOException e) { throw new RuntimeException(e); } } /** * Parse the config file, resolving and injecting parameters encountered * * @return <code>true</code> if processed without errors, <code>false</code> otherwise */ public Boolean call() throws Exception { try { SAXParser parser = SAXParserFactory.newInstance().newSAXParser(); DefaultHandler handler = new DefaultHandler2() { private Locator2 locator; private void realignElement() { String realignment = ""; for (int i = 0; i < locator.getLineNumber() - currentFlushedLine; i++) { realignment += System.getProperty("line.separator"); } write(realignment); } @Override public void setDocumentLocator(Locator locator) { this.locator = (Locator2) locator; } @Override public void startDocument() throws SAXException { write("<?xml version=\"1.0\" encoding=\"" + CHARSET_OUTPUT_XML + "\" ?>" + System.getProperty("line.separator")); } @Override public void startElement(String uri, String localName, String qName, Attributes attributes) throws SAXException { realignElement(); String elementName = (localName == null || localName.equals("")) ? qName : localName; write("<" + elementName); if (attributes != null) { for (int i = 0; i < attributes.getLength(); i++) { String attributeName = (attributes.getLocalName(i) == null || attributes .getLocalName(i).equals("")) ? attributes.getQName(i) : attributes .getLocalName(i); write(" " + attributeName + "=\""); char[] attributeValue = attributes.getValue(i).toCharArray(); write(ConfigParameter.resolveAndReplace(attributeValue, 0, attributeValue.length, properties, configuration, errors) + "\""); } } write(new char[]{'>'}); } @Override public void comment(char[] ch, int start, int length) throws SAXException { write("<!--"); write(ch, start, length); write("-->"); } @Override public void ignorableWhitespace(char[] ch, int start, int length) throws SAXException { write(ch, start, length); } @Override public void characters(char[] ch, int start, int length) throws SAXException { write(ConfigParameter.resolveAndReplace(ch, start, length, properties, configuration, errors)); } @Override public void endElement(String uri, String localName, String qName) throws SAXException { realignElement(); String elementName = (localName == null || localName.equals("")) ? qName : localName; write("</" + elementName + ">"); } }; parser.getXMLReader().setProperty("http://xml.org/sax/properties/lexical-handler", handler); parser.parse(souceInput, handler); } finally { close(); } return errors.size() == 0; } } /** * XSL Transformer. */ private static final class XSLTransformer implements Callable<Boolean> { private InputStream streamToTransform; private OutputStream transformerOutput; private String stylesheet; /** * Constructor. * * @param streamToTransform the gateway configuration file to transform * @param transformerOutput the output stream to be used for transformed output */ public XSLTransformer(InputStream streamToTransform, OutputStream transformerOutput, String stylesheet) { this.streamToTransform = streamToTransform; this.transformerOutput = transformerOutput; this.stylesheet = stylesheet; } /** * Transform the gateway configuration file using the stylesheet. * * @return <code>true</code> if processed without errors, <code>false</code> otherwise */ public Boolean call() throws Exception { ClassLoader classLoader = Thread.currentThread().getContextClassLoader(); URL resource = classLoader.getResource(stylesheet); InputStream xslIn = resource.openStream(); try { Source xmlSource = new StreamSource(streamToTransform); Source xslSource = new StreamSource(xslIn); Result xmlResult = new StreamResult(transformerOutput); Transformer transformer = TransformerFactory.newInstance().newTransformer(xslSource); transformer.setOutputProperty(OutputKeys.ENCODING, CHARSET_OUTPUT_XML); transformer.setErrorListener(new ErrorListener() { @Override public void warning(TransformerException exception) throws TransformerException { throw exception; } @Override public void fatalError(TransformerException exception) throws TransformerException { throw exception; } @Override public void error(TransformerException exception) throws TransformerException { throw exception; } }); transformer.transform(xmlSource, xmlResult); } finally { transformerOutput.flush(); transformerOutput.close(); xslIn.close(); } return Boolean.TRUE; } } }
41.092798
129
0.58637
f5847a71d8b9f7aa844fa1d0a40f8ccc0fee9760
387
package de.unistuttgart.ims.coref.annotator.document; import de.unistuttgart.ims.coref.annotator.document.op.Operation; public abstract class AbstractEditOperation implements Operation { boolean run = false; public void run(CoreferenceModel model) { run = true; perform(model); } abstract void perform(CoreferenceModel model); public boolean isRun() { return run; }; }
19.35
66
0.764858
2689c6dd1366dba58dc6ef9c558d39ead0a1ff7a
1,039
package com.bysj.web.controller.mobile.service; import com.bysj.web.controller.mobile.domain.TMobile; import java.util.List; /** * 手机终端Service接口 * * @author bysj * @date 2020-03-17 */ public interface ITMobileService { /** * 查询手机终端 * * @param id 手机终端ID * @return 手机终端 */ public TMobile selectTMobileById(Integer id); /** * 查询手机终端列表 * * @param tMobile 手机终端 * @return 手机终端集合 */ public List<TMobile> selectTMobileList(TMobile tMobile); /** * 新增手机终端 * * @param tMobile 手机终端 * @return 结果 */ public int insertTMobile(TMobile tMobile); /** * 修改手机终端 * * @param tMobile 手机终端 * @return 结果 */ public int updateTMobile(TMobile tMobile); /** * 批量删除手机终端 * * @param ids 需要删除的数据ID * @return 结果 */ public int deleteTMobileByIds(String ids); /** * 删除手机终端信息 * * @param id 手机终端ID * @return 结果 */ public int deleteTMobileById(Integer id); }
16.492063
60
0.563041
60e7b5c1cc162a3e2248adb099a9631aa9970a14
5,963
package com.epam.pizza_delivery.dao.impl; import com.epam.pizza_delivery.connection.ConnectionPool; import com.epam.pizza_delivery.dao.interfaces.OrderDAO; import com.epam.pizza_delivery.entity.Order; import org.apache.log4j.Logger; import java.sql.*; import java.time.temporal.ChronoUnit; import java.util.ArrayList; import java.util.List; public class OrderDAOImpl implements OrderDAO { private static final String ADD_ORDER = "INSERT INTO order_base (order_date,order_time,delivery_date, delivery_time, total_sum, user_id, status_id) VALUES (?,?,?,?,?,?,?)"; private static final String GET_ORDER_BY_DATA = "SELECT * FROM order_base WHERE order_date = ? and order_time = ? and user_id = ?"; private static final String GET_ORDER_BY_USER_ID = "SELECT * FROM order_base WHERE user_id = ?"; private static final String GET_ALL_NOT_DELIVERED_ORDERS = "SELECT * FROM order_base WHERE status_id != 4"; private static final String UPDATE_STATUS_ID = "UPDATE order_base SET status_id = ? WHERE order_id = ?"; private ConnectionPool connectionPool; private Connection connection; private final Logger LOGGER = Logger.getLogger(this.getClass().getName()); @Override public void create(Order order){ connectionPool = ConnectionPool.INSTANCE; connection = connectionPool.getConnection(); try (PreparedStatement preparedStatement = connection.prepareStatement(ADD_ORDER)) { preparedStatement.setObject(1, order.getOrderDate()); preparedStatement.setObject(2, order.getOrderTime()); preparedStatement.setObject(3,order.getDeliveryDate()); preparedStatement.setObject(4,order.getDeliveryTime()); preparedStatement.setInt(5,order.getTotalSum()); preparedStatement.setLong(6,order.getUserId()); preparedStatement.setLong(7,order.getStatusId()); preparedStatement.executeUpdate(); } catch (SQLException throwables) { LOGGER.error(throwables); } finally { connectionPool.releaseConnection(connection); } } @Override public List<Order> getAll() { List<Order> orders = new ArrayList<>(); connectionPool = ConnectionPool.INSTANCE; connection = connectionPool.getConnection(); try (PreparedStatement preparedStatement = connection.prepareStatement(GET_ALL_NOT_DELIVERED_ORDERS)) { ResultSet resultSet = preparedStatement.executeQuery(); while (resultSet.next()) { Order order = new Order(); setOrderParam(order, resultSet); orders.add(order); } } catch (SQLException throwables) { LOGGER.error(throwables); } finally { connectionPool.releaseConnection(connection); } return orders; } @Override public Order getOrderByData(Order order) { connectionPool = ConnectionPool.INSTANCE; connection = connectionPool.getConnection(); Order completedOrder = new Order(); try (PreparedStatement preparedStatement = connection.prepareStatement(GET_ORDER_BY_DATA)) { preparedStatement.setObject(1, order.getOrderDate()); preparedStatement.setObject(2, order.getOrderTime()); preparedStatement.setLong(3, order.getUserId()); ResultSet resultSet = preparedStatement.executeQuery(); while (resultSet.next()) { setOrderParam(completedOrder,resultSet); } } catch (SQLException throwables) { LOGGER.error(throwables); } finally { connectionPool.releaseConnection(connection); } return completedOrder; } @Override public List<Order> getOrderByUserId(long userId) { connectionPool = ConnectionPool.INSTANCE; connection = connectionPool.getConnection(); List<Order> orders = new ArrayList<>(); try (PreparedStatement preparedStatement = connection.prepareStatement(GET_ORDER_BY_USER_ID)) { preparedStatement.setLong(1, userId); ResultSet resultSet = preparedStatement.executeQuery(); while (resultSet.next()) { Order order = new Order(); setOrderParam(order,resultSet); orders.add(order); } } catch (SQLException throwables) { LOGGER.error(throwables); } finally { connectionPool.releaseConnection(connection); } return orders; } @Override public void updateOrderStatus(long orderId, long statusId) { connectionPool = ConnectionPool.INSTANCE; connection = connectionPool.getConnection(); try (PreparedStatement preparedStatement = connection.prepareStatement(UPDATE_STATUS_ID)) { preparedStatement.setLong(1, statusId); preparedStatement.setLong(2, orderId); preparedStatement.executeUpdate(); } catch (SQLException throwables) { LOGGER.error(throwables); } finally { connectionPool.releaseConnection(connection); } } private void setOrderParam(Order order, ResultSet resultSet) { try { order.setId(resultSet.getLong("order_id")); order.setUserId(resultSet.getLong("user_id")); order.setStatusId(resultSet.getLong("status_id")); order.setOrderDate(resultSet.getDate("order_date").toLocalDate()); order.setOrderTime(resultSet.getTime("order_time").toLocalTime().minus(6, ChronoUnit.HOURS)); order.setDeliveryDate(resultSet.getDate("delivery_date").toLocalDate()); order.setDeliveryTime(resultSet.getTime("delivery_time").toLocalTime().minus(6, ChronoUnit.HOURS)); order.setTotalSum(resultSet.getInt("total_sum")); } catch (SQLException throwables) { LOGGER.error(throwables); } } }
43.845588
176
0.664934
2d348e0cb29ba7b9c9e80264755e3eaa3469e880
2,041
package org.nuxeo.labs.threed.obj; import java.io.File; import java.io.Serializable; import javax.inject.Inject; import org.junit.Assert; import org.junit.Test; import org.junit.runner.RunWith; import org.nuxeo.ecm.automation.AutomationService; import org.nuxeo.ecm.automation.OperationChain; import org.nuxeo.ecm.automation.OperationContext; import org.nuxeo.ecm.automation.OperationException; import org.nuxeo.ecm.automation.test.AutomationFeature; import org.nuxeo.ecm.core.api.Blob; import org.nuxeo.ecm.core.api.CoreSession; import org.nuxeo.ecm.core.api.DocumentModel; import org.nuxeo.ecm.core.api.impl.blob.FileBlob; import org.nuxeo.labs.threed.obj.automation.ConvertToGlbOp; import org.nuxeo.runtime.test.runner.Deploy; import org.nuxeo.runtime.test.runner.Features; import org.nuxeo.runtime.test.runner.FeaturesRunner; @RunWith(FeaturesRunner.class) @Features({ AutomationFeature.class }) @Deploy({ "nuxeo-wavefront-obj-converter-core" }) public class TestOperation { @Inject protected CoreSession session; @Inject protected AutomationService automationService; @Test public void testOperation() throws OperationException { Blob blob = new FileBlob(new File(getClass().getResource("/files/suzanne.obj").getPath()), "model/obj"); DocumentModel doc = session.createDocumentModel(session.getRootDocument().getPathAsString(), "File", "File"); doc.setPropertyValue("file:content", (Serializable) blob); doc = session.createDocument(doc); OperationContext ctx = new OperationContext(); ctx.setInput(doc); ctx.setCoreSession(session); OperationChain chain = new OperationChain("TestOperation"); chain.add(ConvertToGlbOp.ID); Blob glbBlob = (Blob) automationService.run(ctx, chain); Assert.assertNotNull(glbBlob); Assert.assertEquals("model/gltf-binary", glbBlob.getMimeType()); // Assert.assertEquals("suzanne.glb",glbBlob.getFilename()); Assert.assertTrue(glbBlob.getLength() > 0); } }
35.807018
117
0.745223
0f3334c9322b32d5a0dffc73aa6504a38005f4f8
9,095
package cn.jpush.android.util; import android.content.Context; import android.os.Handler; import android.os.Looper; import cn.jpush.android.a; import java.util.ArrayList; import java.util.Iterator; import java.util.concurrent.ExecutorService; import java.util.concurrent.Executors; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; public class JRecorder { private static ExecutorService a = Executors.newSingleThreadExecutor(); private static Context c; private static Handler d = null; private static ArrayList<x> e = new ArrayList(); private static volatile boolean f = false; private static final String[] z; private ArrayList<y> b; /* JADX WARNING: inconsistent code. */ /* Code decompiled incorrectly, please refer to instructions dump. */ static { /* r0 = 12; r3 = new java.lang.String[r0]; r2 = 0; r1 = "A\fJg!GI_f2Q\u0005_ls\t"; r0 = -1; r4 = r3; L_0x0009: r1 = r1.toCharArray(); r5 = r1.length; r6 = 0; r7 = 1; if (r5 > r7) goto L_0x002e; L_0x0012: r7 = r1; r8 = r6; r11 = r5; r5 = r1; r1 = r11; L_0x0017: r10 = r5[r6]; r9 = r8 % 5; switch(r9) { case 0: goto L_0x00b5; case 1: goto L_0x00b9; case 2: goto L_0x00bd; case 3: goto L_0x00c1; default: goto L_0x001e; }; L_0x001e: r9 = 83; L_0x0020: r9 = r9 ^ r10; r9 = (char) r9; r5[r6] = r9; r6 = r8 + 1; if (r1 != 0) goto L_0x002c; L_0x0028: r5 = r7; r8 = r6; r6 = r1; goto L_0x0017; L_0x002c: r5 = r1; r1 = r7; L_0x002e: if (r5 > r6) goto L_0x0012; L_0x0030: r5 = new java.lang.String; r5.<init>(r1); r1 = r5.intern(); switch(r0) { case 0: goto L_0x0044; case 1: goto L_0x004c; case 2: goto L_0x0054; case 3: goto L_0x005c; case 4: goto L_0x0064; case 5: goto L_0x006c; case 6: goto L_0x0074; case 7: goto L_0x007d; case 8: goto L_0x0087; case 9: goto L_0x0092; case 10: goto L_0x009d; default: goto L_0x003c; }; L_0x003c: r3[r2] = r1; r2 = 1; r1 = "A\fJg!GI^a R\u000bVm7\u0013\u000bC(i"; r0 = 0; r3 = r4; goto L_0x0009; L_0x0044: r3[r2] = r1; r2 = 2; r1 = "A\fYg!W\u0019_z:\\\r"; r0 = 1; r3 = r4; goto L_0x0009; L_0x004c: r3[r2] = r1; r2 = 3; r1 = "Z\u0007Yz6R\u0004_f'"; r0 = 2; r3 = r4; goto L_0x0009; L_0x0054: r3[r2] = r1; r2 = 4; r1 = "A\fYg!W6Nq#V"; r0 = 3; r3 = r4; goto L_0x0009; L_0x005c: r3[r2] = r1; r2 = 5; r1 = "W\u001cHi'Z\u0006T"; r0 = 4; r3 = r4; goto L_0x0009; L_0x0064: r3[r2] = r1; r2 = 6; r1 = "A\bTo6"; r0 = 5; r3 = r4; goto L_0x0009; L_0x006c: r3[r2] = r1; r2 = 7; r1 = "\\\u001f_z?R\u0010"; r0 = 6; r3 = r4; goto L_0x0009; L_0x0074: r3[r2] = r1; r2 = 8; r1 = "A\fYg!W\u001cTa'@"; r0 = 7; r3 = r4; goto L_0x0009; L_0x007d: r3[r2] = r1; r2 = 9; r1 = "Z\u001dSe6"; r0 = 8; r3 = r4; goto L_0x0009; L_0x0087: r3[r2] = r1; r2 = 10; r1 = "G\u0010Jm"; r0 = 9; r3 = r4; goto L_0x0009; L_0x0092: r3[r2] = r1; r2 = 11; r1 = "Y\u001b_k<A\r_z"; r0 = 10; r3 = r4; goto L_0x0009; L_0x009d: r3[r2] = r1; z = r4; r0 = java.util.concurrent.Executors.newSingleThreadExecutor(); a = r0; r0 = 0; d = r0; r0 = new java.util.ArrayList; r0.<init>(); e = r0; r0 = 0; f = r0; return; L_0x00b5: r9 = 51; goto L_0x0020; L_0x00b9: r9 = 105; // 0x69 float:1.47E-43 double:5.2E-322; goto L_0x0020; L_0x00bd: r9 = 58; goto L_0x0020; L_0x00c1: r9 = 8; goto L_0x0020; */ throw new UnsupportedOperationException("Method not decompiled: cn.jpush.android.util.JRecorder.<clinit>():void"); } private JRecorder() { if (d == null) { d = new Handler(Looper.getMainLooper()); } } private JRecorder(int i, Context context) { this(); c = context.getApplicationContext(); this.b = new ArrayList(); x xVar = new x(); xVar.a = i; xVar.b = this.b; e.add(xVar); } private static JSONObject a(ArrayList<y> arrayList) { if (arrayList == null) { return null; } int size = arrayList.size(); if (size <= 0) { return null; } JSONObject jSONObject = new JSONObject(); long j = ((y) arrayList.get(size - 1)).a - ((y) arrayList.get(0)).a; int i = 0; int i2 = 0; while (i < size) { i++; i2 = (int) (((double) i2) + ((y) arrayList.get(i)).b); } jSONObject.put(z[4], z[3]); jSONObject.put(z[5], j); jSONObject.put(z[6], ((double) i2) - ((y) arrayList.get(0)).b); return jSONObject; } static /* synthetic */ void a(Context context) { try { JSONArray jSONArray; if (e == null || e.size() <= 0) { jSONArray = null; } else { JSONArray jSONArray2 = new JSONArray(); Iterator it = e.iterator(); while (it.hasNext()) { x xVar = (x) it.next(); if (xVar.a == 0) { jSONArray2.put(a(xVar.b)); } else if (xVar.a == 1) { Object obj; ArrayList arrayList = xVar.b; if (arrayList == null) { obj = null; } else { int size = arrayList.size(); if (size <= 0) { obj = null; } else { long j = ((y) arrayList.get(size - 1)).a - ((y) arrayList.get(0)).a; JSONObject jSONObject = new JSONObject(); jSONObject.put(z[4], z[7]); jSONObject.put(z[5], j); jSONObject.put(z[6], ((y) arrayList.get(size - 1)).b - ((y) arrayList.get(0)).b); JSONObject jSONObject2 = jSONObject; } } jSONArray2.put(obj); } } b(); jSONArray = jSONArray2; } if (jSONArray != null && jSONArray.length() > 0) { JSONObject jSONObject3 = new JSONObject(); jSONObject3.put(z[10], z[11]); jSONObject3.put(z[9], a.j()); jSONObject3.put(z[8], jSONArray); a.execute(new w(jSONObject3)); } } catch (JSONException e) { } } static /* synthetic */ void a(JRecorder jRecorder, double d) { synchronized (jRecorder.b) { y yVar = new y(jRecorder); yVar.b = d; yVar.a = System.currentTimeMillis(); jRecorder.b.add(yVar); } } private static void b() { Iterator it = e.iterator(); while (it.hasNext()) { ((x) it.next()).b.clear(); } e.clear(); } public static JRecorder getIncreamentsRecorder(Context context) { return new JRecorder(0, context); } public static JRecorder getSuperpositionRecorder(Context context) { return new JRecorder(1, context); } public static void parseRecordCommand(String str) { if (f) { z.b(); return; } try { int i = new JSONObject(str).getInt(z[2]); f = true; new StringBuilder(z[0]).append(i).append("s"); z.b(); if (d == null) { d = new Handler(Looper.getMainLooper()); } d.postDelayed(new v(), (long) (i * 1000)); } catch (JSONException e) { f = false; new StringBuilder(z[1]).append(e.getMessage()); z.b(); } } public void record(int i) { if (f) { a.execute(new u(this, i)); } else { z.b(); } } }
26.988131
122
0.442441
a69f39728c4d8f4c5e45c648c0862f248f486532
1,102
package eatyourbeets.cards.animator.special; import com.megacrit.cardcrawl.characters.AbstractPlayer; import com.megacrit.cardcrawl.monsters.AbstractMonster; import com.megacrit.cardcrawl.orbs.Lightning; import eatyourbeets.cards.base.AnimatorCard; import eatyourbeets.cards.base.EYBCardData; import eatyourbeets.cards.base.Synergies; import eatyourbeets.utilities.GameActions; public class ElricAlphonseAlt extends AnimatorCard { public static final EYBCardData DATA = Register(ElricAlphonseAlt.class).SetPower(2, CardRarity.SPECIAL); public ElricAlphonseAlt() { super(DATA); Initialize(0, 2, 3, 2); SetUpgrade(0, 3, 0, 0); SetSynergy(Synergies.FullmetalAlchemist); } @Override public void OnUse(AbstractPlayer p, AbstractMonster m, boolean isSynergizing) { GameActions.Bottom.ChannelOrbs(Lightning::new, secondaryValue); GameActions.Bottom.GainBlock(block); GameActions.Bottom.GainOrbSlots(1); if (isSynergizing) { GameActions.Bottom.GainPlatedArmor(magicNumber); } } }
29.783784
108
0.729583
7f7ad2c229aa56c228a50d67f718f332d9094d36
4,382
/* Copyright (c) 2019, Michael von Rueden, H-DA ALL RIGHTS RESERVED. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. Neither the name of the H-DA and Michael von Rueden nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. */ package de.hda.fbi.os.mbredel; import de.hda.fbi.os.mbredel.queue.IQueue; import org.apache.commons.math3.distribution.ExponentialDistribution; import org.slf4j.Logger; import org.slf4j.LoggerFactory; /** * The consumer that consumes goods produced * by the producer. * * @author Michael von Rueden */ public class WaitingConsumer implements Runnable { /** The logger. */ private static final Logger LOGGER = LoggerFactory.getLogger(WaitingConsumer.class); /** The average waiting time in ms.*/ private static final int WAITING_TIME = 2000; /** The name of the consumer. */ private final String name; /** The queue the consumer gets its goods from. */ private final IQueue queue; /** A runner-variable to run the thread - and be able to stop it. */ private boolean isRunning; /** A random number generator. */ private ExponentialDistribution random; /** The monitor used to synchronize with consumer threads*/ private Object consumerSignal; /** * The default constructor. * * @param name The name of the consumer. * @param queue The queue/channel to the producer. */ public WaitingConsumer(String name, IQueue queue) { this.name = name; this.queue = queue; this.isRunning = true; this.random = new ExponentialDistribution(WAITING_TIME); } /** * Adds an object that can be used to synchronize * with consumer threads using wait() and notify(). * * @param o The monitor to add. * @return A IQueue object. */ public WaitingConsumer addConsumerSignal(Object o) { consumerSignal = o; return this; } /** * Consume good from the queue. * * @throws InterruptedException When the thread is interrupted while waiting. */ public void consume() throws InterruptedException { Good good = null; while (true) { good = queue.take(); if (good != null) { break; } else { LOGGER.info("Consumer [{}] is waiting", name); synchronized (consumerSignal) { consumerSignal.wait(); } LOGGER.info("Consumer [{}] is NOT waiting anymore", name); } } LOGGER.info("Consumer [{}] consume good [{}] produced by [{}]", name, good.getName(), good.getProducerName()); } /** * Consume goods whenever available. */ @Override public void run() { while(isRunning) { try { this.consume(); } catch (InterruptedException e) { LOGGER.info("Harsh wake-up due to an InterruptedException while waiting for new goods: ", e); // Restore interrupted state. That is, set the interrupt flag of the thread, // so higher level interrupt handlers will notice it and can handle it appropriately. Thread.currentThread().interrupt(); } // Just wait for some time. try { Thread.sleep((long) random.sample()); } catch (InterruptedException e) { LOGGER.info("Harsh wake-up due to an InterruptedException while sleeping: ", e); // Restore interrupted state. That is, set the interrupt flag of the thread, // so higher level interrupt handlers will notice it and can handle it appropriately. Thread.currentThread().interrupt(); } } } }
34.777778
118
0.629393
23aef2e3659e7b476357a9a7ebe456018d4b7463
5,957
package com.liferay.headless.test.client.pagination; import com.liferay.headless.test.client.aggregation.Facet; import com.liferay.headless.test.client.json.BaseJSONParser; import java.util.ArrayList; import java.util.Collection; import java.util.Iterator; import java.util.List; import java.util.Map; import java.util.Objects; import java.util.Set; import java.util.function.Function; import java.util.stream.Collectors; import java.util.stream.Stream; import javax.annotation.Generated; /** * @author me * @generated */ @Generated("") public class Page<T> { public static <T> Page<T> of( String json, Function<String, T> toDTOFunction) { PageJSONParser pageJSONParser = new PageJSONParser(toDTOFunction); return (Page<T>)pageJSONParser.parseToDTO(json); } public Map<String, Map> getActions() { return _actions; } public List<Facet> getFacets() { return _facets; } public Collection<T> getItems() { return _items; } public long getLastPage() { if (_totalCount == 0) { return 1; } return -Math.floorDiv(-_totalCount, _pageSize); } public long getPage() { return _page; } public long getPageSize() { return _pageSize; } public long getTotalCount() { return _totalCount; } public boolean hasNext() { if (getLastPage() > _page) { return true; } return false; } public boolean hasPrevious() { if (_page > 1) { return true; } return false; } public void setActions(Map<String, Map> actions) { _actions = actions; } public void setFacets(List<Facet> facets) { _facets = facets; } public void setItems(Collection<T> items) { _items = items; } public void setPage(long page) { _page = page; } public void setPageSize(long pageSize) { _pageSize = pageSize; } public void setTotalCount(long totalCount) { _totalCount = totalCount; } @Override public String toString() { StringBuilder sb = new StringBuilder("{\"actions\": "); sb.append(_toString((Map)_actions)); sb.append(", \"items\": ["); Iterator<T> iterator = _items.iterator(); while (iterator.hasNext()) { sb.append(iterator.next()); if (iterator.hasNext()) { sb.append(", "); } } sb.append("], \"page\": "); sb.append(_page); sb.append(", \"pageSize\": "); sb.append(_pageSize); sb.append(", \"totalCount\": "); sb.append(_totalCount); sb.append("}"); return sb.toString(); } public static class PageJSONParser<T> extends BaseJSONParser<Page> { public PageJSONParser() { _toDTOFunction = null; } public PageJSONParser(Function<String, T> toDTOFunction) { _toDTOFunction = toDTOFunction; } @Override protected Page createDTO() { return new Page(); } @Override protected Page[] createDTOArray(int size) { return new Page[size]; } @Override protected void setField( Page page, String jsonParserFieldName, Object jsonParserFieldValue) { if (Objects.equals(jsonParserFieldName, "actions")) { if (jsonParserFieldValue != null) { PageJSONParser pageJSONParser = new PageJSONParser( _toDTOFunction); page.setActions( pageJSONParser.parseToMap( (String)jsonParserFieldValue)); } } else if (Objects.equals(jsonParserFieldName, "facets")) { if (jsonParserFieldValue != null) { page.setFacets( Stream.of( toStrings((Object[])jsonParserFieldValue) ).map( this::parseToMap ).map( facets -> new Facet( (String)facets.get("facetCriteria"), Stream.of( (Object[])facets.get("facetValues") ).map( object -> (String)object ).map( this::parseToMap ).map( facetValues -> new Facet.FacetValue( Integer.valueOf( (String)facetValues.get( "numberOfOccurrences")), (String)facetValues.get("term")) ).collect( Collectors.toList() )) ).collect( Collectors.toList() )); } } else if (Objects.equals(jsonParserFieldName, "items")) { if (jsonParserFieldValue != null) { page.setItems( Stream.of( toStrings((Object[])jsonParserFieldValue) ).map( string -> _toDTOFunction.apply(string) ).collect( Collectors.toList() )); } } else if (Objects.equals(jsonParserFieldName, "lastPage")) { } else if (Objects.equals(jsonParserFieldName, "page")) { if (jsonParserFieldValue != null) { page.setPage(Long.valueOf((String)jsonParserFieldValue)); } } else if (Objects.equals(jsonParserFieldName, "pageSize")) { if (jsonParserFieldValue != null) { page.setPageSize( Long.valueOf((String)jsonParserFieldValue)); } } else if (Objects.equals(jsonParserFieldName, "totalCount")) { if (jsonParserFieldValue != null) { page.setTotalCount( Long.valueOf((String)jsonParserFieldValue)); } } else { throw new IllegalArgumentException( "Unsupported field name " + jsonParserFieldName); } } private final Function<String, T> _toDTOFunction; } private String _toString(Map<String, Object> map) { StringBuilder sb = new StringBuilder("{"); Set<Map.Entry<String, Object>> entries = map.entrySet(); Iterator<Map.Entry<String, Object>> iterator = entries.iterator(); while (iterator.hasNext()) { Map.Entry<String, Object> entry = iterator.next(); sb.append("\""); sb.append(entry.getKey()); sb.append("\": "); Object value = entry.getValue(); if (value instanceof Map) { sb.append(_toString((Map)value)); } else { sb.append("\""); sb.append(value); sb.append("\""); } if (iterator.hasNext()) { sb.append(", "); } } sb.append("}"); return sb.toString(); } private Map<String, Map> _actions; private List<Facet> _facets = new ArrayList<>(); private Collection<T> _items; private long _page; private long _pageSize; private long _totalCount; }
21.124113
69
0.646298
5d98f981ea589f44029dd302748c2c3ea7355123
4,283
/******************************************************************************* * ============LICENSE_START======================================================= * org.onap.dmaap * ================================================================================ * Copyright © 2017 AT&T Intellectual Property. All rights reserved. * ================================================================================ * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. * ============LICENSE_END========================================================= * * ECOMP is a trademark and service mark of AT&T Intellectual Property. * *******************************************************************************/ package org.onap.dmaap.dmf.mr.listener; import java.io.IOException; import java.io.InputStream; import java.util.Properties; import com.att.aft.dme2.manager.registry.DME2EndpointRegistry; import com.att.aft.dme2.api.DME2Exception; import com.att.aft.dme2.api.DME2Manager; import org.onap.dmaap.dmf.mr.service.impl.EventsServiceImpl; import com.att.eelf.configuration.EELFLogger; import com.att.eelf.configuration.EELFManager; /** * * @author anowarul.islam * */ public class DME2EndPointLoader { private String latitude; private String longitude; private String version; private String serviceName; private String env; private String routeOffer; private String hostName; private String port; private String contextPath; private String protocol; private String serviceURL; private static DME2EndPointLoader loader = new DME2EndPointLoader(); private static final EELFLogger LOG = EELFManager.getInstance().getLogger(EventsServiceImpl.class); private DME2EndPointLoader() { } public static DME2EndPointLoader getInstance() { return loader; } /** * publishing endpoints */ public void publishEndPoints() { try { InputStream input = this.getClass().getResourceAsStream("/endpoint.properties"); Properties props = new Properties(); props.load(input); latitude = props.getProperty("Latitude"); longitude = props.getProperty("Longitude"); version = props.getProperty("Version"); serviceName = props.getProperty("ServiceName"); env = props.getProperty("Environment"); routeOffer = props.getProperty("RouteOffer"); hostName = props.getProperty("HostName"); port = props.getProperty("Port"); contextPath = props.getProperty("ContextPath"); protocol = props.getProperty("Protocol"); System.setProperty("AFT_LATITUDE", latitude); System.setProperty("AFT_LONGITUDE", longitude); System.setProperty("AFT_ENVIRONMENT", "AFTUAT"); serviceURL = "service=" + serviceName + "/" + "version=" + version + "/" + "envContext=" + env + "/" + "routeOffer=" + routeOffer; DME2Manager manager = new DME2Manager("testEndpointPublish", props); manager.setClientCredentials("sh301n", ""); DME2EndpointRegistry svcRegistry = manager.getEndpointRegistry(); // Publish API takes service name, context path, hostname, port and // protocol as args svcRegistry.publish(serviceURL, contextPath, hostName, Integer.parseInt(port), protocol); } catch (IOException | DME2Exception e) { LOG.error("Failed due to :" + e); } } /** * unpublishing endpoints */ public void unPublishEndPoints() { DME2Manager manager; try { System.setProperty("AFT_LATITUDE", latitude); System.setProperty("AFT_LONGITUDE", longitude); System.setProperty("AFT_ENVIRONMENT", "AFTUAT"); manager = DME2Manager.getDefaultInstance(); DME2EndpointRegistry svcRegistry = manager.getEndpointRegistry(); svcRegistry.unpublish(serviceURL, hostName, Integer.parseInt(port)); } catch (DME2Exception e) { LOG.error("Failed due to DME2Exception" + e); } } }
34.540323
103
0.655382
8e3617139dfd08c30d92754f0c9238ee6a1af45f
1,194
package org.kogu.practice.timing; public final class ThreadLocalTimer<T extends Enum<T>> implements Timer<T>{ private static final String alreadyUnset = "No `Timer` stored in ThreadLocal - has it already been `unset`?"; private final ThreadLocal<Timer<T>> tl; private ThreadLocalTimer(Class<T> clazz) { tl = new ThreadLocal<>(); set(clazz); } private Timer<T> get() { Timer<T> timer = tl.get(); if (timer != null) return timer; throw new AssertionError(alreadyUnset); } public void set(Class<T> clazz) { tl.remove(); tl.set(Timer.initForEnum(clazz)); } public void unset() { tl.remove(); } @Override public void start(T key) { get().start(key); } @Override public void stop(T key) { get().stop(key); } @Override public void reset(T key) { get().reset(key); } @Override public long elapsedNanosForEvent(T key) { return get().elapsedNanosForEvent(key); } @Override public String log(boolean isOrderedByTime) { return get().log(isOrderedByTime); } public static <T extends Enum<T>> ThreadLocalTimer<T> initForEnum(Class<T> clazz) { return new ThreadLocalTimer<>(clazz); } }
20.586207
111
0.654941
3ed6a9613ffda575479d9bfa354263edc6feae39
6,722
package test; import static org.assertj.core.api.Assertions.assertThat; import static org.junit.Assert.assertEquals; import static org.junit.Assert.assertTrue; import java.io.IOException; import java.net.URI; import java.util.HashSet; import java.util.Properties; import java.util.Set; import org.junit.Test; import aQute.bnd.osgi.Builder; import aQute.bnd.osgi.Constants; import aQute.bnd.osgi.Jar; import aQute.bnd.osgi.Resource; import aQute.lib.io.IO; public class IncludeResourceTest { @Test public void testpreprocessing() throws IOException, Exception { String s = testPreprocessing("{foo.txt};literal='${sum;1,2,3}'", "foo.txt", "Preprocessing does not work for literals: foo.txt"); s = testPreprocessing("foo.txt;literal='${sum;1,2,3}'", "foo.txt"); assertEquals("6", s); s = testPreprocessing("{testresources/includeresource/root.txt}", "root.txt"); assertEquals("6", s.trim()); } /** */ @Test public void testIncludeResourceFromFileSystemDirectory() throws Exception { Set<String> filteredAuto = testResources("testresources/includeresource/;filter:=root.*;recurse:=false", 1); assertThat(filteredAuto).contains("root.txt"); Set<String> flattened = testResources("testresources/includeresource/;flatten:=true", 4); assertThat(flattened).contains("root.txt", "a.txt", "b.txt", "c.txt"); Set<String> filtered = testResources("testresources/includeresource/;filter:=c.*", 1); assertThat(filtered).contains("a/c/c.txt"); Set<String> filteredAll = testResources("testresources/includeresource/;filter:=[abc].*", 3); assertThat(filteredAll).contains("a/a.txt", "b/b.txt", "a/c/c.txt"); Set<String> filteredNot = testResources("testresources/includeresource/;filter:=![abc].*", 1); assertThat(filteredNot).contains("root.txt"); Set<String> deflt = testResources("testresources/includeresource", 4); assertThat(deflt).contains("root.txt", "a/a.txt", "b/b.txt", "a/c/c.txt"); Set<String> withSlash = testResources("testresources/includeresource/", 4); Set<String> rename = testResources("x=testresources/includeresource", 4); assertThat(rename).contains("x/root.txt", "x/a/a.txt", "x/b/b.txt", "x/a/c/c.txt"); Set<String> renameWithSlash = testResources("x=testresources/includeresource/", 4); assertThat(rename).contains("x/root.txt", "x/a/a.txt", "x/b/b.txt", "x/a/c/c.txt"); Set<String> renameWithTwoSlashes = testResources("x/=testresources/includeresource/", 4); assertThat(rename).contains("x/root.txt", "x/a/a.txt", "x/b/b.txt", "x/a/c/c.txt"); } @Test public void testIncludeResourceFromFileSystemFile() throws Exception { Set<String> deflt = testResources("testresources/includeresource/root.txt", 1); assertThat(deflt).contains("root.txt"); Set<String> withSlash = testResources("testresources/includeresource/a/c/c.txt", 1); assertThat(withSlash).contains("c.txt"); Set<String> renameWithSlash = testResources("x/=testresources/includeresource/a/c/c.txt", 1); assertThat(renameWithSlash).contains("x/c.txt"); } @Test public void testIncludeResourceFromZip() throws Exception { Set<String> deflt = testResources("@jar/osgi.jar", 528); Set<String> noRecurse = testResources("@jar/osgi.jar!/*", 528); Set<String> include = testResources("@jar/osgi.jar!/org/osgi/framework/*", 31); Set<String> exclude = testResources("@jar/osgi.jar!/!org/osgi/framework/*", 528 - 31); Set<String> includeOneFile = testResources("@jar/osgi.jar!/LICENSE", 1); Set<String> includeOneFile2 = testResources("'@jar/osgi.jar!/LICENSE|about.html'", 2); Set<String> excludeOneFile = testResources("@jar/osgi.jar!/!LICENSE", 528 - 1); Set<String> or = testResources("@jar/osgi.jar!/LICENSE|about.html", 2); Set<String> orDirectory = testResources("@jar/osgi.jar!/LICENSE|about.html|org/*", 261); Set<String> notOrDirectory = testResources("@jar/osgi.jar!/!LICENSE|about.html|org/*", 528 - 261); Set<String> framework = testResources("@jar/osgi.jar!/*/framework/*", 58); Set<String> frameworkSource = testResources("@jar/osgi.jar!/*/framework/*.java", 25); Set<String> parentheses = testResources("@jar/osgi.jar!/!(LICENSE|about.html|org/*)", 528 - 261); Set<String> parenthesesNoWildcard = testResources("@jar/osgi.jar!/(LICENSE)", 1); Set<String> curliesOptional = testResources("'@jar/osgi.jar!/(LICENSE){0,1}'", 1); Set<String> curliesOnce = testResources("'@jar/osgi.jar!/(LICENSE){1}'", 1); Set<String> curliesTwice = testResources("'@jar/osgi.jar!/(*framework){2}*.java:i'", 3); System.out.println(curliesTwice); } @Test public void testIncludeResourceFromUrl() throws Exception { URI uri = IO.getFile("jar/osgi.jar") .toURI(); Set<String> deflt = testResources("@" + uri, 528); Set<String> includeOneFile = testResources("@" + uri + "!/LICENSE", 1); Set<String> excludeOneFile = testResources("@" + uri + "!/!LICENSE", 528 - 1); } @Test public void testIncludeResourceFromClasspathJars() throws Exception { Set<String> deflt = testResources("@osgi.jar", 528); Set<String> both = testResources("'@{osgi,easymock}.jar'", 528 + 59); Set<String> both2 = testResources("'@(osgi|easymock).jar'", 528 + 59); Set<String> both3 = testResources("'@(?:osgi|easymock).jar'", 528 + 59); } @Test public void testLiteral() throws Exception { Set<String> deflt = testResources("a.txt;literal='AAA'", 1); } private Set<String> testResources(String ir, int count, String... checks) throws Exception { try (Builder bmaker = new Builder()) { bmaker.addClasspath(bmaker.getFile("jar/osgi.jar")); bmaker.addClasspath(bmaker.getFile("jar/easymock.jar")); Properties p = new Properties(); p.put("-includeresource", ir); bmaker.setProperties(p); Jar jar = bmaker.build(); assertTrue(bmaker.check(checks)); if (count > 0) assertEquals(count, jar.getResources() .keySet() .stream() .filter(n -> !n.endsWith(Constants.EMPTY_HEADER)) .count()); Set<String> keySet = new HashSet<>(jar.getResources() .keySet()); // System.out.println(keySet); return keySet; } } private String testPreprocessing(String ir, String resource, String... checks) throws IOException, Exception { try (Builder bmaker = new Builder()) { bmaker.setProperty("-resourcesonly", "true"); bmaker.addClasspath(bmaker.getFile("jar/osgi.jar")); bmaker.addClasspath(bmaker.getFile("jar/easymock.jar")); Properties p = new Properties(); p.put("-includeresource", ir); bmaker.setProperties(p); Jar jar = bmaker.build(); assertTrue(bmaker.check(checks)); Resource resource2 = jar.getResource(resource); if (resource2 == null) return null; return IO.collect(resource2 .openInputStream()); } } }
36.532609
111
0.699792
1bada6b519d77821a0d8c0834817ea1dc181a6b9
133
package com.bumptech.glide; public interface ListPreloader$PreloadSizeProvider<T> { int[] getPreloadSize(T t, int i, int i2); }
22.166667
55
0.744361
e24ad3183e0772ed971fbb5ae415b5e69f7fd1fd
3,802
/* * This file is auto-generated. DO NOT MODIFY. * Original file: E:\\devwork\\AndroidGCSPractice\\ClientLib\\src\\main\\java\\com\\o3dr\\services\\android\\lib\\model\\IObserver.aidl */ package com.o3dr.services.android.lib.model; /** * Asynchronous notification on change of vehicle state is available by registering observers for * attribute changes. */ public interface IObserver extends android.os.IInterface { /** Local-side IPC implementation stub class. */ public static abstract class Stub extends android.os.Binder implements com.o3dr.services.android.lib.model.IObserver { private static final java.lang.String DESCRIPTOR = "com.o3dr.services.android.lib.model.IObserver"; /** Construct the stub at attach it to the interface. */ public Stub() { this.attachInterface(this, DESCRIPTOR); } /** * Cast an IBinder object into an com.o3dr.services.android.lib.model.IObserver interface, * generating a proxy if needed. */ public static com.o3dr.services.android.lib.model.IObserver asInterface(android.os.IBinder obj) { if ((obj==null)) { return null; } android.os.IInterface iin = obj.queryLocalInterface(DESCRIPTOR); if (((iin!=null)&&(iin instanceof com.o3dr.services.android.lib.model.IObserver))) { return ((com.o3dr.services.android.lib.model.IObserver)iin); } return new com.o3dr.services.android.lib.model.IObserver.Stub.Proxy(obj); } @Override public android.os.IBinder asBinder() { return this; } @Override public boolean onTransact(int code, android.os.Parcel data, android.os.Parcel reply, int flags) throws android.os.RemoteException { java.lang.String descriptor = DESCRIPTOR; switch (code) { case INTERFACE_TRANSACTION: { reply.writeString(descriptor); return true; } case TRANSACTION_onAttributeUpdated: { data.enforceInterface(descriptor); java.lang.String _arg0; _arg0 = data.readString(); android.os.Bundle _arg1; if ((0!=data.readInt())) { _arg1 = android.os.Bundle.CREATOR.createFromParcel(data); } else { _arg1 = null; } this.onAttributeUpdated(_arg0, _arg1); return true; } default: { return super.onTransact(code, data, reply, flags); } } } private static class Proxy implements com.o3dr.services.android.lib.model.IObserver { private android.os.IBinder mRemote; Proxy(android.os.IBinder remote) { mRemote = remote; } @Override public android.os.IBinder asBinder() { return mRemote; } public java.lang.String getInterfaceDescriptor() { return DESCRIPTOR; } /** * Notify observer that the named attribute has changed. * @param attributeEvent event describing the update. The supported events are listed in {@link com.o3dr.services.android.lib.drone.attribute.AttributeEvent} * @param attributeBundle bundle object from which additional event data can be retrieved. */ @Override public void onAttributeUpdated(java.lang.String attributeEvent, android.os.Bundle eventExtras) throws android.os.RemoteException { android.os.Parcel _data = android.os.Parcel.obtain(); try { _data.writeInterfaceToken(DESCRIPTOR); _data.writeString(attributeEvent); if ((eventExtras!=null)) { _data.writeInt(1); eventExtras.writeToParcel(_data, 0); } else { _data.writeInt(0); } mRemote.transact(Stub.TRANSACTION_onAttributeUpdated, _data, null, android.os.IBinder.FLAG_ONEWAY); } finally { _data.recycle(); } } } static final int TRANSACTION_onAttributeUpdated = (android.os.IBinder.FIRST_CALL_TRANSACTION + 0); } /** * Notify observer that the named attribute has changed. * @param attributeEvent event describing the update. The supported events are listed in {@link com.o3dr.services.android.lib.drone.attribute.AttributeEvent} * @param attributeBundle bundle object from which additional event data can be retrieved. */ public void onAttributeUpdated(java.lang.String attributeEvent, android.os.Bundle eventExtras) throws android.os.RemoteException; }
31.683333
160
0.774329
2bbb90a11b9fac84ccd6b517dbb04e853094f680
77
package plugins.testDataAndFunction.params; public class NullParameter { }
12.833333
43
0.818182
b579e05674a791ae5bd5fbb1951ed8ead1a1b8fc
1,078
package olog.dev.leeto.location; import android.location.Address; import android.location.Location; public class LocationModel { private final String name; private final String latitude; private final String longitude; private final String address; public LocationModel(Location location, Address address){ this.name = address.getCountryName(); this.latitude = String.valueOf(location.getLatitude()); this.longitude = String.valueOf(location.getLongitude()); this.address = address.getThoroughfare() + ", " + address.getLocality(); } public LocationModel(String name, String latitude, String longitude, String address) { this.name = name; this.latitude = latitude; this.longitude = longitude; this.address = address; } public String getName() { return name; } public String getLatitude() { return latitude; } public String getLongitude() { return longitude; } public String getAddress() { return address; } }
25.069767
90
0.658627
6fcd0deb0b08fc355ed5020524e5059fd9db7168
8,911
/* * Copyright (C) 2013 The Android Open Source Project * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package android.admin.cts; import android.app.Activity; import android.app.admin.DevicePolicyManager; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.content.pm.PackageManager; import android.deviceadmin.cts.CtsDeviceAdminBrokenReceiver; import android.deviceadmin.cts.CtsDeviceAdminBrokenReceiver2; import android.deviceadmin.cts.CtsDeviceAdminBrokenReceiver3; import android.deviceadmin.cts.CtsDeviceAdminBrokenReceiver4; import android.deviceadmin.cts.CtsDeviceAdminBrokenReceiver5; import android.deviceadmin.cts.CtsDeviceAdminDeactivatedReceiver; import android.deviceadmin.cts.CtsDeviceAdminActivationTestActivity; import android.deviceadmin.cts.CtsDeviceAdminActivationTestActivity.OnActivityResultListener; import android.os.SystemClock; import android.test.ActivityInstrumentationTestCase2; import android.util.Log; import org.mockito.ArgumentCaptor; import org.mockito.Mock; import org.mockito.Mockito; import org.mockito.MockitoAnnotations; /** * Tests for the standard way of activating a Device Admin: by starting system UI via an * {@link Intent} with {@link DevicePolicyManager#ACTION_ADD_DEVICE_ADMIN}. The test requires that * the {@code CtsDeviceAdmin.apk} be installed. */ public class DeviceAdminActivationTest extends ActivityInstrumentationTestCase2<CtsDeviceAdminActivationTestActivity> { private static final String TAG = DeviceAdminActivationTest.class.getSimpleName(); // IMPLEMENTATION NOTE: Because Device Admin activation requires the use of // Activity.startActivityForResult, this test creates an empty Activity which then invokes // startActivityForResult. private static final int REQUEST_CODE_ACTIVATE_ADMIN = 1; /** * Maximum duration of time (milliseconds) after which the effects of programmatic actions in * this test should have affected the UI. */ private static final int UI_EFFECT_TIMEOUT_MILLIS = 5000; private boolean mDeviceAdmin; @Mock private OnActivityResultListener mMockOnActivityResultListener; public DeviceAdminActivationTest() { super(CtsDeviceAdminActivationTestActivity.class); } @Override protected void setUp() throws Exception { super.setUp(); MockitoAnnotations.initMocks(this); getActivity().setOnActivityResultListener(mMockOnActivityResultListener); mDeviceAdmin = getInstrumentation().getContext().getPackageManager().hasSystemFeature( PackageManager.FEATURE_DEVICE_ADMIN); } @Override protected void tearDown() throws Exception { try { finishActivateDeviceAdminActivity(); } finally { super.tearDown(); } } public void testActivateGoodReceiverDisplaysActivationUi() throws Exception { if (!mDeviceAdmin) { Log.w(TAG, "Skipping testActivateGoodReceiverDisplaysActivationUi"); return; } assertDeviceAdminDeactivated(CtsDeviceAdminDeactivatedReceiver.class); startAddDeviceAdminActivityForResult(CtsDeviceAdminDeactivatedReceiver.class); assertWithTimeoutOnActivityResultNotInvoked(); // The UI is up and running. Assert that dismissing the UI returns the corresponding result // to the test activity. finishActivateDeviceAdminActivity(); assertWithTimeoutOnActivityResultInvokedWithResultCode(Activity.RESULT_CANCELED); assertDeviceAdminDeactivated(CtsDeviceAdminDeactivatedReceiver.class); } public void testActivateBrokenReceiverFails() throws Exception { if (!mDeviceAdmin) { Log.w(TAG, "Skipping testActivateBrokenReceiverFails"); return; } assertDeviceAdminDeactivated(CtsDeviceAdminBrokenReceiver.class); startAddDeviceAdminActivityForResult(CtsDeviceAdminBrokenReceiver.class); assertWithTimeoutOnActivityResultInvokedWithResultCode(Activity.RESULT_CANCELED); assertDeviceAdminDeactivated(CtsDeviceAdminBrokenReceiver.class); } public void testActivateBrokenReceiver2Fails() throws Exception { if (!mDeviceAdmin) { Log.w(TAG, "Skipping testActivateBrokenReceiver2Fails"); return; } assertDeviceAdminDeactivated(CtsDeviceAdminBrokenReceiver2.class); startAddDeviceAdminActivityForResult(CtsDeviceAdminBrokenReceiver2.class); assertWithTimeoutOnActivityResultInvokedWithResultCode(Activity.RESULT_CANCELED); assertDeviceAdminDeactivated(CtsDeviceAdminBrokenReceiver2.class); } public void testActivateBrokenReceiver3Fails() throws Exception { if (!mDeviceAdmin) { Log.w(TAG, "Skipping testActivateBrokenReceiver3Fails"); return; } assertDeviceAdminDeactivated(CtsDeviceAdminBrokenReceiver3.class); startAddDeviceAdminActivityForResult(CtsDeviceAdminBrokenReceiver3.class); assertWithTimeoutOnActivityResultInvokedWithResultCode(Activity.RESULT_CANCELED); assertDeviceAdminDeactivated(CtsDeviceAdminBrokenReceiver3.class); } public void testActivateBrokenReceiver4Fails() throws Exception { if (!mDeviceAdmin) { Log.w(TAG, "Skipping testActivateBrokenReceiver4Fails"); return; } assertDeviceAdminDeactivated(CtsDeviceAdminBrokenReceiver4.class); startAddDeviceAdminActivityForResult(CtsDeviceAdminBrokenReceiver4.class); assertWithTimeoutOnActivityResultInvokedWithResultCode(Activity.RESULT_CANCELED); assertDeviceAdminDeactivated(CtsDeviceAdminBrokenReceiver4.class); } public void testActivateBrokenReceiver5Fails() throws Exception { if (!mDeviceAdmin) { Log.w(TAG, "Skipping testActivateBrokenReceiver5Fails"); return; } assertDeviceAdminDeactivated(CtsDeviceAdminBrokenReceiver5.class); startAddDeviceAdminActivityForResult(CtsDeviceAdminBrokenReceiver5.class); assertWithTimeoutOnActivityResultInvokedWithResultCode(Activity.RESULT_CANCELED); assertDeviceAdminDeactivated(CtsDeviceAdminBrokenReceiver5.class); } private void startAddDeviceAdminActivityForResult(Class<?> receiverClass) { getActivity().startActivityForResult( getAddDeviceAdminIntent(receiverClass), REQUEST_CODE_ACTIVATE_ADMIN); } private Intent getAddDeviceAdminIntent(Class<?> receiverClass) { return new Intent(DevicePolicyManager.ACTION_ADD_DEVICE_ADMIN) .putExtra( DevicePolicyManager.EXTRA_DEVICE_ADMIN, new ComponentName( getInstrumentation().getTargetContext(), receiverClass)); } private void assertWithTimeoutOnActivityResultNotInvoked() { SystemClock.sleep(UI_EFFECT_TIMEOUT_MILLIS); Mockito.verify(mMockOnActivityResultListener, Mockito.never()) .onActivityResult( Mockito.eq(REQUEST_CODE_ACTIVATE_ADMIN), Mockito.anyInt(), Mockito.any(Intent.class)); } private void assertWithTimeoutOnActivityResultInvokedWithResultCode(int expectedResultCode) { ArgumentCaptor<Integer> resultCodeCaptor = ArgumentCaptor.forClass(int.class); Mockito.verify(mMockOnActivityResultListener, Mockito.timeout(UI_EFFECT_TIMEOUT_MILLIS)) .onActivityResult( Mockito.eq(REQUEST_CODE_ACTIVATE_ADMIN), resultCodeCaptor.capture(), Mockito.any(Intent.class)); assertEquals(expectedResultCode, (int) resultCodeCaptor.getValue()); } private void finishActivateDeviceAdminActivity() { getActivity().finishActivity(REQUEST_CODE_ACTIVATE_ADMIN); } private void assertDeviceAdminDeactivated(Class<?> receiverClass) { DevicePolicyManager devicePolicyManager = (DevicePolicyManager) getActivity().getSystemService( Context.DEVICE_POLICY_SERVICE); assertFalse(devicePolicyManager.isAdminActive( new ComponentName(getInstrumentation().getTargetContext(), receiverClass))); } }
43.468293
99
0.734598
a84524481c318f2309eca8e39f0fec14a803b674
618
package org.devgateway.toolkit.forms.wicket.page.user; import org.apache.wicket.validation.validator.PatternValidator; /** * @author Octavian Ciubotaru */ public class PasswordPatternValidator extends PatternValidator { // 1 digit, 1 lower, 1 upper, 1 symbol "@#$%", from 6 to 20 // private static final String PASSWORD_PATTERN = // "((?=.*\\d)(?=.*[a-z])(?=.*[A-Z])(?=.*[@#$%]).{6,20})"; // 1 digit, 1 caps letter, from 10 to 20 private static final String PASSWORD_PATTERN = "((?=.*\\d)(?=.*[a-z]).{10,20})"; public PasswordPatternValidator() { super(PASSWORD_PATTERN); } }
30.9
84
0.631068
f475a0c579f38f5c204cf8bb320afc4a8e5a6880
2,646
/* * Copyright 2020 Hippo * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. * */ package rip.hippo.lwjeb.message.handler.impl; import rip.hippo.lwjeb.filter.MessageFilter; import rip.hippo.lwjeb.message.handler.MessageHandler; import rip.hippo.lwjeb.wrapped.WrappedType; import java.util.function.Consumer; /** * @author Hippo * @version 5.0.0, 1/13/20 * @since 5.0.0 * <p> * This is a field based implementation of the message handler. * </p> */ public final class FieldBasedMessageHandler<T> implements MessageHandler<T> { /** * The topic. */ private final Class<T> topic; /** * The filters. */ private final MessageFilter<T>[] filters; /** * The listener consumer, used for invocation. */ private final Consumer<T> listenerConsumer; /** * Weather the handler is for {@link WrappedType}s. */ private final boolean wrapped; /** * The priority of the handler. */ private final int priority; /** * Creates a new {@link FieldBasedMessageHandler}. * * @param topic The topic. * @param filters The filters. * @param listenerConsumer The listener. * @param wrapped Weather its wrapped or not. */ public FieldBasedMessageHandler(Class<T> topic, MessageFilter<T>[] filters, Consumer<T> listenerConsumer, boolean wrapped, int priority) { this.topic = topic; this.filters = filters; this.listenerConsumer = listenerConsumer; this.wrapped = wrapped; this.priority = priority; } /** * @inheritDoc */ @SuppressWarnings("unchecked") @Override public void handle(T topic) { listenerConsumer.accept(wrapped ? (T) new WrappedType(topic) : topic); } /** * @inheritDoc */ @Override public Class<T> getTopic() { return topic; } /** * @inheritDoc */ @Override public MessageFilter<T>[] getFilters() { return filters; } /** * @inheritDoc */ @Override public int getPriority() { return priority; } }
23.210526
77
0.633787
2aeae30a0f4e1530e414dbbbc7d143cd2f3c5f29
7,093
package com.haoxt.agent.activity.home.transaction; import android.content.Context; import android.content.Intent; import android.os.Bundle; import android.support.annotation.Nullable; import android.support.v7.widget.LinearLayoutManager; import android.support.v7.widget.RecyclerView; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.LinearLayout; import android.widget.TextView; import com.google.gson.Gson; import com.google.gson.reflect.TypeToken; import com.haoxt.agent.R; import com.haoxt.agent.adapter.TransactionListAdapter; import com.haoxt.agent.entity.ListTransaction; import com.haoxt.agent.model.Message; import com.haoxt.agent.util.HttpRequest; import com.haoxt.agent.widget.MyDialog; import java.lang.reflect.Type; import java.util.ArrayList; import tft.mpos.library.base.BaseActivity; import tft.mpos.library.base.BaseFragment; import tft.mpos.library.interfaces.OnHttpResponseListener; /** * Description: <TransactionProvider><br> * Author: chucai.he<br> * Date: 2018/12/11<br> * Version: V1.0.0<br> * Update: <br> */ public class TransactionActivity extends BaseActivity implements View.OnClickListener, TransactionListAdapter.OnItemClickListener, SelectTimePopup.OnConfirmTimeListener { private LinearLayout mTimeScreenLy; private TextView mConditionScreenTv; private RecyclerView mSaleList; private ArrayList<ListTransaction> mList; private TextView mNoDataTv, mStartTv, mEndTv; private MyDialog mConditionPopup; private SelectTimePopup mTimePopup; /**启动这个Activity的Intent * @param context * @return */ public static Intent createIntent(Context context) { return new Intent(context, TransactionActivity.class); } //启动方法>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>> @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.fragment_transaction_list); //功能归类分区方法,必须调用<<<<<<<<<< initView(); initData(); initEvent(); //功能归类分区方法,必须调用>>>>>>>>>> } @Override public void initView() { mTimeScreenLy = view.findViewById(R.id.time_screen_ly); mConditionScreenTv = view.findViewById(R.id.condition_screen_tv); mStartTv = view.findViewById(R.id.start_tv); mEndTv = view.findViewById(R.id.end_tv); mNoDataTv = view.findViewById(R.id.no_data_tv); mSaleList = view.findViewById(R.id.sale_list); mSaleList.setLayoutManager(new LinearLayoutManager(getActivity())); } @Override public void initData() { getListTransaction(); if (mList == null || mList.size() < 1) { mSaleList.setVisibility(View.GONE); mNoDataTv.setVisibility(View.VISIBLE); } else { mNoDataTv.setVisibility(View.GONE); mSaleList.setVisibility(View.VISIBLE); TransactionListAdapter adapter = new TransactionListAdapter(context, mList); mSaleList.setAdapter(adapter); adapter.setOnItemClickListener(this); } } private void getListTransaction() { if (mList == null) { mList = new ArrayList<>(); } else { mList.clear(); } HttpRequest.transationList("1","10","","","","","","",0,new OnHttpResponseListener() { @Override public void onHttpResponse(int requestCode, String resultJson, Exception e) { Gson gson = new Gson(); Type type = new TypeToken<Message<ListTransaction>>() {}.getType(); Message<ListTransaction> message = gson.fromJson(resultJson,type); mList = (ArrayList) message.getRspData(); if("000000".equals(message.getRspCd())){ // showShortToast("上传成功"); }else{ showShortToast("获取失败"); } } }); // // for (int i = 0; i < 10; i++) { // ListTransaction listTransaction = new ListTransaction(); // listTransaction.setPayMoney("467.00"); // listTransaction.setPayTime("交易日期:2019/12/13 15:23:11"); // if (i % 3 == 0) { // listTransaction.setPayNum("支付宝(2234)"); // listTransaction.setPayType(PayType.ALI_PAY); // } else if (i % 3 == 1) { // listTransaction.setPayNum("微信(2234)"); // listTransaction.setPayType(PayType.WE_CHAT); // } else if (i % 3 == 2) { // listTransaction.setPayNum("刷卡(2234)"); // listTransaction.setPayType(PayType.ORDINARY); // } // if (i % 2 == 0) { // listTransaction.setPayResult(0); // } else { // listTransaction.setPayResult(1); // } // mList.add(listTransaction); // } } @Override public void initEvent() { mTimeScreenLy.setOnClickListener(this); mConditionScreenTv.setOnClickListener(this); } @Override public void onClick(View view) { switch (view.getId()) { case R.id.time_screen_ly: showTimePopup(); break; case R.id.condition_screen_tv: showConditionPopup(); break; } } @Override public void onItemClick(int position) { ListTransaction transaction = mList.get(position); startActivity(TransactionDetailActivity.createIntent(context).putExtra("transaction",transaction)); } private void showConditionPopup() { if (mConditionPopup == null) mConditionPopup = new MyDialog(getActivity()); LayoutInflater inflater = getLayoutInflater(); LinearLayout layout = (LinearLayout) inflater.inflate(R.layout.popup_condition, null); TextView cancel_tv = layout.findViewById(R.id.cancel_tv); TextView confirm_tv = layout.findViewById(R.id.confirm_tv); confirm_tv.setOnClickListener(new View.OnClickListener(){ @Override public void onClick(View view) { mConditionPopup.cancel(); } }); cancel_tv.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { mConditionPopup.cancel(); } }); mConditionPopup.show(); mConditionPopup.setCancelable(false); mConditionPopup.setContentView(layout); } private void showTimePopup() { if (mTimePopup != null) { mTimePopup = null; } mTimePopup = new SelectTimePopup(getActivity()); mTimePopup.setOnConfirmTimeListener(this); mTimePopup.show(); } @Override public void onConfirmTime(String startTime, String endTime) { mStartTv.setText(startTime); mEndTv.setText(endTime); } }
32.536697
170
0.612858
fb13f117344d4ad97cb48bfe01638a1c21fa60d1
6,602
package speiger.src.collections.impl.fastutil; import org.openjdk.jmh.annotations.Benchmark; import org.openjdk.jmh.infra.Blackhole; import it.unimi.dsi.fastutil.doubles.DoubleIterator; import it.unimi.dsi.fastutil.ints.Int2DoubleAVLTreeMap; import it.unimi.dsi.fastutil.ints.Int2DoubleArrayMap; import it.unimi.dsi.fastutil.ints.Int2DoubleLinkedOpenHashMap; import it.unimi.dsi.fastutil.ints.Int2DoubleMap; import it.unimi.dsi.fastutil.ints.Int2DoubleOpenHashMap; import it.unimi.dsi.fastutil.ints.Int2DoubleRBTreeMap; import it.unimi.dsi.fastutil.ints.IntIterator; import speiger.src.collections.base.ReadMapBenchmarks; public class FastUtilReadMapBenchmarks extends ReadMapBenchmarks { Int2DoubleMap map; Int2DoubleMap linkedMap; Int2DoubleMap arrayMap; Int2DoubleMap rbTreeMap; Int2DoubleMap avlTreeMap; @Override protected void initMaps() { map = new Int2DoubleOpenHashMap(addedKeys, addedValues); linkedMap = new Int2DoubleLinkedOpenHashMap(addedKeys, addedValues); arrayMap = new Int2DoubleArrayMap(addedKeys, addedValues); rbTreeMap = new Int2DoubleRBTreeMap(addedKeys, addedValues, null); avlTreeMap = new Int2DoubleAVLTreeMap(addedKeys, addedValues, null); } @Benchmark public Int2DoubleMap cloneResultHashMap() { return ((Int2DoubleOpenHashMap)map).clone(); } @Benchmark public Int2DoubleMap cloneResultLinkedHashMap() { return ((Int2DoubleLinkedOpenHashMap)linkedMap).clone(); } @Benchmark public Int2DoubleMap cloneResultArrayMap() { return ((Int2DoubleArrayMap)arrayMap).clone(); } @Benchmark public Int2DoubleMap cloneResultRBTreeMap() { return ((Int2DoubleRBTreeMap)rbTreeMap).clone(); } @Benchmark public Int2DoubleMap cloneResultAVLTreeMap() { return ((Int2DoubleAVLTreeMap)avlTreeMap).clone(); } @Benchmark public void containsKeyResultHashMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(map.containsKey(testKeys[i])); } } @Benchmark public void containsKeyResultLinkedHashMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(linkedMap.containsKey(testKeys[i])); } } @Benchmark public void containsKeyResultArrayMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(arrayMap.containsKey(testKeys[i])); } } @Benchmark public void containsKeyResultRBTreeMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(rbTreeMap.containsKey(testKeys[i])); } } @Benchmark public void containsKeyResultAVLTreeMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(avlTreeMap.containsKey(testKeys[i])); } } @Benchmark public void getResultHashMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(map.get(testKeys[i])); } } @Benchmark public void getResultLinkedHashMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(linkedMap.get(testKeys[i])); } } @Benchmark public void getResultArrayMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(arrayMap.get(testKeys[i])); } } @Benchmark public void getResultRBTreeMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(rbTreeMap.get(testKeys[i])); } } @Benchmark public void getResultAVLTreeMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(avlTreeMap.get(testKeys[i])); } } @Benchmark public void getOrDefaultResultHashMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(map.getOrDefault(testKeys[i], 5D)); } } @Benchmark public void getOrDefaultResultLinkedHashMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(linkedMap.getOrDefault(testKeys[i], 5D)); } } @Benchmark public void getOrDefaultResultArrayMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(arrayMap.getOrDefault(testKeys[i], 5D)); } } @Benchmark public void getOrDefaultResultRBTreeMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(rbTreeMap.getOrDefault(testKeys[i], 5D)); } } @Benchmark public void getOrDefaultResultAVLTreeMap(Blackhole hole) { for(int i = 0;i<100;i++) { hole.consume(avlTreeMap.getOrDefault(testKeys[i], 5D)); } } @Benchmark public void forEachResultHashMap(Blackhole hole) { map.forEach((K, V) -> { hole.consume(K); hole.consume(V); }); } @Benchmark public void forEachResultLinkedHashMap(Blackhole hole) { linkedMap.forEach((K, V) -> { hole.consume(K); hole.consume(V); }); } @Benchmark public void forEachResultArrayMap(Blackhole hole) { arrayMap.forEach((K, V) -> { hole.consume(K); hole.consume(V); }); } @Benchmark public void forEachResultRBTreeMap(Blackhole hole) { rbTreeMap.forEach((K, V) -> { hole.consume(K); hole.consume(V); }); } @Benchmark public void forEachResultAVLTreeMap(Blackhole hole) { avlTreeMap.forEach((K, V) -> { hole.consume(K); hole.consume(V); }); } @Benchmark public void keySetResultHashMap(Blackhole hole) { for(IntIterator iter = map.keySet().iterator();iter.hasNext();hole.consume(iter.nextInt())); } @Benchmark public void keySetResultLinkedHashMap(Blackhole hole) { for(IntIterator iter = linkedMap.keySet().iterator();iter.hasNext();hole.consume(iter.nextInt())); } @Benchmark public void keySetResultArrayMap(Blackhole hole) { for(IntIterator iter = arrayMap.keySet().iterator();iter.hasNext();hole.consume(iter.nextInt())); } @Benchmark public void keySetResultRBTreeMap(Blackhole hole) { for(IntIterator iter = rbTreeMap.keySet().iterator();iter.hasNext();hole.consume(iter.nextInt())); } @Benchmark public void keySetResultAVLTreeMap(Blackhole hole) { for(IntIterator iter = avlTreeMap.keySet().iterator();iter.hasNext();hole.consume(iter.nextInt())); } @Benchmark public void valuesResultHashMap(Blackhole hole) { for(DoubleIterator iter = map.values().iterator();iter.hasNext();hole.consume(iter.nextDouble())); } @Benchmark public void valuesResultLinkedHashMap(Blackhole hole) { for(DoubleIterator iter = linkedMap.values().iterator();iter.hasNext();hole.consume(iter.nextDouble())); } @Benchmark public void valuesResultArrayMap(Blackhole hole) { for(DoubleIterator iter = arrayMap.values().iterator();iter.hasNext();hole.consume(iter.nextDouble())); } @Benchmark public void valuesResultRBTreeMap(Blackhole hole) { for(DoubleIterator iter = rbTreeMap.values().iterator();iter.hasNext();hole.consume(iter.nextDouble())); } @Benchmark public void valuesResultAVLTreeMap(Blackhole hole) { for(DoubleIterator iter = avlTreeMap.values().iterator();iter.hasNext();hole.consume(iter.nextDouble())); } }
25.992126
107
0.725841
c162d22ecd0e3f9482d6de33d83903eed907cccb
1,283
/** * Copyright (c) Lambda Innovation, 2013-2016 * This file is part of LambdaLib modding library. * https://github.com/LambdaInnovation/LambdaLib * Licensed under MIT, see project root for more information. */ package cn.lambdalib.util.client.auxgui; import java.lang.annotation.ElementType; import java.lang.annotation.Retention; import java.lang.annotation.RetentionPolicy; import java.lang.annotation.Target; import cn.lambdalib.annoreg.base.RegistrationInstance; import cn.lambdalib.annoreg.core.LoadStage; import cn.lambdalib.annoreg.core.RegistryTypeDecl; import cn.lambdalib.core.LambdaLib; import cpw.mods.fml.relauncher.Side; import cpw.mods.fml.relauncher.SideOnly; /** * AuxGui register annotation. * @author WeathFolD */ @RegistryTypeDecl @SideOnly(Side.CLIENT) public class AuxGuiRegistry extends RegistrationInstance<AuxGuiRegistry.RegAuxGui, AuxGui> { @Target({ElementType.TYPE, ElementType.FIELD}) @Retention(RetentionPolicy.RUNTIME) @SideOnly(Side.CLIENT) public @interface RegAuxGui {} public AuxGuiRegistry() { super(RegAuxGui.class, "AuxGui"); this.setLoadStage(LoadStage.INIT); } @Override protected void register(AuxGui obj, RegAuxGui anno) throws Exception { AuxGui.register(obj); } }
28.511111
92
0.759938
ef634c8f8a21cd67ab20b9690a462785535a6aa1
551
package com.ibeetl.dao.beetlsql.entity; import java.io.Serializable; import org.beetl.sql.core.TailBean; import org.beetl.sql.core.annotatoin.AssignID; import org.beetl.sql.core.annotatoin.Table; @Table(name="sys_user") public class BeetlSqlUser extends TailBean implements Serializable{ @AssignID private Integer id ; private String code ; public Integer getId() { return id; } public void setId(Integer id) { this.id = id; } public String getCode() { return code; } public void setCode(String code) { this.code = code; } }
19.678571
68
0.735027
0235de35301fdf3a9e2715265f4ff1c4037e9725
2,106
package zztest; import com.icexxx.util.IceConfigUtil; public class ConfigTest {//指定 /** * 不带斜线打成jar后先从里面找,找不到里面的再去外面找。都没有找到则报错 * @param args */ public static void main(String[] args) { System.out.println(IceConfigUtil.getString("abc.properties", "name")); System.out.println(IceConfigUtil.getString("abc", "age")); System.out.println(IceConfigUtil.getString("abc", "addr")); System.out.println(IceConfigUtil.getString("abc", "logo")); System.out.println(IceConfigUtil.getString("abc", "ip")); System.out.println(IceConfigUtil.getString("abc", "menu")); System.out.println("----------"); System.out.println(IceConfigUtil.getString("abc.properties", "name")); System.out.println(IceConfigUtil.getString("abc", "age")); System.out.println(IceConfigUtil.getString("abc", "addr")); System.out.println(IceConfigUtil.getBoolean("abc", "logo")); System.out.println(IceConfigUtil.getBoolean("abc", "logo","hide")); System.out.println(IceConfigUtil.getString("abc", "ip")); System.out.println(IceConfigUtil.getBoolean("abc", "menu")); System.out.println(IceConfigUtil.getBoolean("abc", "menu","false")); System.out.println("----------"); System.out.println(IceConfigUtil.getString("abc.properties", "name")); System.out.println(IceConfigUtil.getString("abc", "age")); System.out.println(IceConfigUtil.getString("abc", "addr")); System.out.println(IceConfigUtil.getBoolean("abc", "logox")); System.out.println(IceConfigUtil.getBoolean("abc", "logox","hide")); System.out.println(IceConfigUtil.getList("abc", "ip")); System.out.println(IceConfigUtil.getBoolean("abc", "menux")); System.out.println(IceConfigUtil.getBoolean("abc", "menux","false")); System.out.println("----------"); System.out.println(IceConfigUtil.getInt("abc.properties", "age")); System.out.println(IceConfigUtil.getInt("abc", "age")); System.out.println(IceConfigUtil.getInt("abc", "age",17)); System.out.println(IceConfigUtil.getInt("abc", "agex")); System.out.println(IceConfigUtil.getInt("abc", "agex",17)); } }
45.782609
73
0.688034
87e28e1906e656dcb1762691cbea1cd204ca1a23
636
package msf.fc.db.dao.slices; import org.hibernate.Criteria; import org.hibernate.criterion.Restrictions; import msf.fc.common.data.FcSliceId; import msf.fc.db.dao.FcAbstractCommonDao; import msf.mfcfc.common.exception.MsfException; import msf.mfcfc.db.SessionWrapper; public class FcSliceIdDao extends FcAbstractCommonDao<FcSliceId, Integer> { @Override public FcSliceId read(SessionWrapper session, Integer layerType) throws MsfException { Criteria criteria = session.getSession().createCriteria(FcSliceId.class) .add(Restrictions.eq("layerType", layerType)); return readByCriteria(session, criteria); } }
28.909091
88
0.789308
e95483644d702b5de760d1b01bacbc8f93b981bd
3,793
package ru.sbtqa.tag.stepdefs.en; import cucumber.api.java.After; import cucumber.api.java.Before; import cucumber.api.java.en.And; import cucumber.api.java.en.When; import ru.sbtqa.tag.pagefactory.exceptions.PageInitializationException; import ru.sbtqa.tag.pagefactory.exceptions.WaitException; import ru.sbtqa.tag.stepdefs.WebGenericSteps; import ru.sbtqa.tag.stepdefs.WebSetupSteps; public class WebStepDefs extends WebGenericSteps<WebStepDefs> { @Before(order = 1) public void initWeb() { WebSetupSteps.initWeb(); } @After(order = 9999) public void disposeWeb() { WebSetupSteps.disposeWeb(); } /** * {@inheritDoc} */ @Override @And("^copy of the page is being opened in a new tab$") public WebStepDefs openCopyPage() { return super.openCopyPage(); } /** * {@inheritDoc} */ @Override @And("^user switches to the next tab$") public WebStepDefs switchesToNextTab() { return super.switchesToNextTab(); } /** * {@inheritDoc} */ @Override @And("^URL matches \"([^\"]*)\"$") public WebStepDefs urlMatches(String url) { return super.urlMatches(url); } /** * {@inheritDoc} */ @Override @And("^user closes the current window and returns to \"([^\"]*)\"$") public WebStepDefs closingCurrentWin(String title) { return super.closingCurrentWin(title); } /** * {@inheritDoc} */ @Override @And("^user push back in the browser$") public WebStepDefs backPage() { return super.backPage(); } /** * {@inheritDoc} */ @Override @And("^user navigates to page \"([^\"]*)\"$") public WebStepDefs goToUrl(String url) { return super.goToUrl(url); } /** * {@inheritDoc} */ @Override @And("^user navigates to url \"([^\"]*)\"$") public WebStepDefs goToPageByUrl(String url) throws PageInitializationException { return super.goToPageByUrl(url); } /** * {@inheritDoc} */ @Override @And("^user refreshes the page$") public WebStepDefs reInitPage() { return super.reInitPage(); } /** * {@inheritDoc} */ @Override @And("^user accepts alert with text \"([^\"]*)\"$") public WebStepDefs acceptAlert(String text) throws WaitException { return super.acceptAlert(text); } /** * {@inheritDoc} */ @Override @And("^user dismisses alert with text \"([^\"]*)\"$") public WebStepDefs dismissAlert(String text) throws WaitException { return super.dismissAlert(text); } /** * {@inheritDoc} */ @Override @And("^user checks that text \"([^\"]*)\" appears on the page$") public WebStepDefs checkTextAppears(String text) throws WaitException, InterruptedException { return super.checkTextAppears(text); } /** * {@inheritDoc} */ @Override @And("^user checks that text \"([^\"]*)\" is absent on the page$") public WebStepDefs checkTextIsNotPresent(String text) throws InterruptedException { return super.checkTextIsNotPresent(text); } /** * {@inheritDoc} */ @Override @And("^user checks that modal window with text \"([^\"]*)\" is appears$") public WebStepDefs checkModalWindowAppears(String text) throws WaitException { return super.checkModalWindowAppears(text); } /** * {@inheritDoc} */ @Override @And("^user checks that element with text \"([^\"]*)\" is present$") @When("^user checks that the text \"([^\"]*)\" is visible$") public WebStepDefs checkElementWithTextIsPresent(String text) { return super.checkElementWithTextIsPresent(text); } }
24.953947
97
0.604798
7c7c1f60609d1b87dbbfc43c7da80df6778fd5db
1,472
/* Name: Safiyyah Thur Rahman UoW ID: W1714855 IIT ID: 2018025 Course: BEng. Software Engineering Submission Date:02/12/19 Coursework 01 for OOP Purpose: This test is used to check the validation and verification of the field plate Number of the Vehicle class */ package com.company.controllers; import com.company.util.Validator; import org.junit.jupiter.api.BeforeAll; import org.junit.jupiter.api.Test; import java.io.ByteArrayInputStream; import java.io.IOException; import static org.junit.jupiter.api.Assertions.*; public class PlateNumberTest { private static VehicleListManager vehicleListManager; private static CounterListManager counterListManager; @BeforeAll static void setUp() { vehicleListManager = new VehicleListManager(); counterListManager = new CounterListManager(); } @Test void checkValidityOfPlateNumber() throws IOException { //the data to be tested String data = "6\n" + "5000\n" + "2000\n"+"ssd2323\n"+"sfsfnjd\n"+ "DER3445\n"; //the input stream is assigned with the data and then the validation then the function is called System.setIn(new ByteArrayInputStream(data.getBytes())); String plateNumber = Validator.validatePlateNumber(); assertEquals("DER3445", plateNumber); } @Test void checkIfPlateNumberAlreadyPresent() throws IOException { assertFalse(vehicleListManager.isVehicleInSys("WED2323")); } }
30.666667
114
0.724864
497c4958c04287aa6f56799cdede9f849ca96c06
5,132
package com.benjaminboyce.partyup; import java.util.ArrayList; import com.google.android.gms.maps.CameraUpdateFactory; import com.google.android.gms.maps.GoogleMap; import com.google.android.gms.maps.OnMapReadyCallback; import com.google.android.gms.maps.SupportMapFragment; import com.google.android.gms.maps.model.CircleOptions; import com.google.android.gms.maps.model.LatLng; import com.google.android.gms.maps.model.MarkerOptions; import android.content.Context; import android.content.Intent; import android.location.Criteria; import android.location.Location; import android.location.LocationListener; import android.location.LocationManager; import android.os.Bundle; import android.support.v4.app.FragmentActivity; import android.view.Menu; import android.view.View; public class MainActivity extends FragmentActivity implements OnMapReadyCallback{ private LatLng mySpot; private ArrayList<PartyMember> party; private DatabaseHelper dbh; private SupportMapFragment mapFragment; private GoogleMap map; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_main); LocationManager locationManager; String context = Context.LOCATION_SERVICE; locationManager = (LocationManager)getSystemService(context); map = null; Criteria criteria = new Criteria(); criteria.setAccuracy(Criteria.ACCURACY_FINE); criteria.setAltitudeRequired(false); criteria.setBearingRequired(false); criteria.setCostAllowed(true); criteria.setPowerRequirement(Criteria.POWER_LOW); String provider = locationManager.getBestProvider(criteria, true); Location location = locationManager.getLastKnownLocation(provider); updateWithNewLocation(location); locationManager.requestLocationUpdates(provider, 2000, 5, locationListener); mapFragment = (SupportMapFragment) getSupportFragmentManager() .findFragmentById(R.id.map); mapFragment.getMapAsync(this); setLocation(); } private final LocationListener locationListener = new LocationListener() { public void onLocationChanged(Location location) { updateWithNewLocation(location); } public void onProviderDisabled(String provider){ updateWithNewLocation(null); } public void onProviderEnabled(String provider){ } public void onStatusChanged(String provider, int status, Bundle extras){ } }; private void updateWithNewLocation(Location location) { if (location != null) { double lat = location.getLatitude(); double lng = location.getLongitude(); mySpot = new LatLng(lat, lng); } if(map != null){ map.clear(); CircleOptions options = new CircleOptions(); options.center(mySpot); options.radius(7); options.visible(true); options.strokeWidth(15); map.moveCamera(CameraUpdateFactory.newLatLngZoom(mySpot, 15)); map.addCircle(options); } } public void pinSelf(Location location){ mySpot = new LatLng(location.getLatitude(), location.getLongitude()); if(map != null){ CircleOptions options = new CircleOptions(); options.center(mySpot); options.radius(7); options.visible(true); options.strokeWidth(15); map.addCircle(options); } } @Override public boolean onCreateOptionsMenu(Menu menu) { // Inflate the menu; this adds items to the action bar if it is present. getMenuInflater().inflate(R.menu.main, menu); return true; } @Override public void onMapReady(GoogleMap map) { this.map = map; CircleOptions options = new CircleOptions(); options.center(mySpot); options.radius(5); options.visible(true); options.strokeWidth(10); this.map.moveCamera(CameraUpdateFactory.newLatLngZoom(mySpot, 15)); this.map.addCircle(options); addEntities(map); } public void setLocation(){ LocationManager locationManager; String context = Context.LOCATION_SERVICE; locationManager = (LocationManager)getSystemService(context); String provider = LocationManager.GPS_PROVIDER; Location location = locationManager.getLastKnownLocation(provider); pinSelf(location); } public void addEntities(GoogleMap map) { dbh = new DatabaseHelper(this); party = dbh.getPartyMembersByName(); if(!party.isEmpty()){//if there are entities to add to the map LatLng theirSpot; for(int i = 0; i < party.size(); i++){ if(party.get(i).getStatus().equals(PartyMember.PAIRED)){ theirSpot = new LatLng(party.get(i).getLat(), party.get(i).getLon()); map.addMarker(new MarkerOptions() .position(theirSpot) .title(party.get(i).getName())); } } } else {//if there are no entities to add to the map } } public void goToPartyPage(View view){ Intent intent = new Intent(MainActivity.this, PartyPage.class); startActivity(intent); } }
31.484663
83
0.701481
12b9c1fb0ec3305d641f41f66b74c8252ecabee5
1,043
package com.lyricgan.gson.adapter; import android.text.TextUtils; import com.google.gson.TypeAdapter; import com.google.gson.stream.JsonReader; import com.google.gson.stream.JsonToken; import com.google.gson.stream.JsonWriter; import java.io.IOException; /** * 自定义json短整型数据解析 * @author Lyric Gan */ public class ShortTypeAdapter extends TypeAdapter<Short> { @Override public void write(JsonWriter out, Short value) throws IOException { out.value(value); } @Override public Short read(JsonReader in) throws IOException { if (in.peek() == JsonToken.NULL) { in.nextNull(); return 0; } return parseShort(in.nextString()); } private short parseShort(String value) { if (TextUtils.isEmpty(value)) { return 0; } short valueShort = 0; try { valueShort = Short.parseShort(value); } catch (NumberFormatException e) { e.printStackTrace(); } return valueShort; } }
23.177778
71
0.627996
089b04540084559667b5dfc8802398ceacfa141f
2,539
package com.wanghui.bigdata.hos.mybatis; import java.io.IOException; import java.io.InputStream; import java.util.Properties; import java.util.Set; import javax.sql.DataSource; import org.apache.ibatis.session.SqlSessionFactory; import org.apache.ibatis.session.SqlSessionFactoryBuilder; import org.mybatis.spring.SqlSessionFactoryBean; import org.mybatis.spring.annotation.MapperScan; import org.springframework.beans.factory.annotation.Qualifier; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; import org.springframework.context.annotation.Primary; import org.springframework.core.io.DefaultResourceLoader; import org.springframework.core.io.ResourceLoader; /** * Created by jixin on 17-7-10. */ @Configuration @MapperScan(basePackages = HosDataSourceConfig.PACKAGE, sqlSessionFactoryRef = "HosSqlSessionFactory") public class HosDataSourceConfig { static final String PACKAGE = "com.wanghui.bigdata.hos.**"; /** * hosDataSource. * * @return DataSource DataSource * @throws IOException IOException */ @Bean(name = "HosDataSource") @Primary public DataSource hosDataSource() throws IOException { ResourceLoader loader = new DefaultResourceLoader(); InputStream inputStream = loader.getResource("classpath:application.properties") .getInputStream(); Properties properties = new Properties(); properties.load(inputStream); Set<Object> keys = properties.keySet(); Properties dsproperties = new Properties(); for (Object key : keys) { if (key.toString().startsWith("datasource")) { dsproperties.put(key.toString().replace("datasource.", ""), properties.get(key)); } } HikariDataSourceFactory factory = new HikariDataSourceFactory(); factory.setProperties(dsproperties); inputStream.close(); return factory.getDataSource(); } /** * hosSqlSessionFactory. */ @Bean(name = "HosSqlSessionFactory") @Primary public SqlSessionFactory hosSqlSessionFactory( @Qualifier("HosDataSource") DataSource phoenixDataSource) throws Exception { SqlSessionFactoryBean factoryBean = new SqlSessionFactoryBean(); factoryBean.setDataSource(phoenixDataSource); ResourceLoader loader = new DefaultResourceLoader(); String resource = "classpath:mybatis-config.xml"; factoryBean.setConfigLocation(loader.getResource(resource)); factoryBean.setSqlSessionFactoryBuilder(new SqlSessionFactoryBuilder()); return factoryBean.getObject(); } }
34.310811
89
0.761717
6c915658f47a7fbd337edcbe347dddf3cc71f338
4,496
// Copyright 2015 The Bazel Authors. All rights reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. package com.google.devtools.build.lib.skyframe; import com.google.common.base.MoreObjects; import com.google.common.base.Preconditions; import com.google.common.collect.ImmutableList; import com.google.devtools.build.lib.concurrent.ThreadSafety.Immutable; import com.google.devtools.build.lib.concurrent.ThreadSafety.ThreadSafe; import com.google.devtools.build.lib.skyframe.TargetPatternValue.TargetPatternKey; import com.google.devtools.build.lib.skyframe.serialization.autocodec.AutoCodec; import com.google.devtools.build.skyframe.LegacySkyKey; import com.google.devtools.build.skyframe.SkyKey; import com.google.devtools.build.skyframe.SkyValue; import java.io.Serializable; import java.util.Objects; /** * The value returned by {@link PrepareDepsOfPatternsFunction}. Although that function is invoked * primarily for its side effect (i.e. ensuring the graph contains targets matching the pattern * sequence and their transitive dependencies), this value contains the {@link TargetPatternKey} * arguments of the {@link PrepareDepsOfPatternFunction}s evaluated in service of it. * * <p>Because the returned value may remain the same when the side-effects of this function * evaluation change, this value and the {@link PrepareDepsOfPatternsFunction} which computes it are * incompatible with change pruning. It should only be requested by consumers who do not require * reevaluation when {@link PrepareDepsOfPatternsFunction} is reevaluated. Safe consumers include, * e.g., top-level consumers, and other functions which invoke {@link PrepareDepsOfPatternsFunction} * solely for its side-effects and which do not behave differently depending on those side-effects. */ @AutoCodec @Immutable @ThreadSafe public final class PrepareDepsOfPatternsValue implements SkyValue { private final ImmutableList<TargetPatternKey> targetPatternKeys; public PrepareDepsOfPatternsValue(ImmutableList<TargetPatternKey> targetPatternKeys) { this.targetPatternKeys = Preconditions.checkNotNull(targetPatternKeys); } public ImmutableList<TargetPatternKey> getTargetPatternKeys() { return targetPatternKeys; } @ThreadSafe public static SkyKey key(ImmutableList<String> patterns, String offset) { return LegacySkyKey.create( SkyFunctions.PREPARE_DEPS_OF_PATTERNS, new TargetPatternSequence(patterns, offset)); } /** The argument value for {@link SkyKey}s of {@link PrepareDepsOfPatternsFunction}. */ @ThreadSafe public static class TargetPatternSequence implements Serializable { private final ImmutableList<String> patterns; private final String offset; public TargetPatternSequence(ImmutableList<String> patterns, String offset) { this.patterns = Preconditions.checkNotNull(patterns); this.offset = Preconditions.checkNotNull(offset); } public ImmutableList<String> getPatterns() { return patterns; } public String getOffset() { return offset; } @Override public boolean equals(Object o) { if (this == o) { return true; } if (!(o instanceof TargetPatternSequence)) { return false; } TargetPatternSequence that = (TargetPatternSequence) o; return Objects.equals(offset, that.offset) && Objects.equals(patterns, that.patterns); } @Override public int hashCode() { return Objects.hash(patterns, offset); } @Override public String toString() { return MoreObjects.toStringHelper(this) .add("patterns", patterns) .add("offset", offset) .toString(); } } @Override public boolean equals(Object other) { return other instanceof PrepareDepsOfPatternsValue && targetPatternKeys.equals(((PrepareDepsOfPatternsValue) other).getTargetPatternKeys()); } @Override public int hashCode() { return targetPatternKeys.hashCode(); } }
37.781513
100
0.754671
5cd1a65d6f47e10473fe890e1fc04aad597ee43c
431
package com.example.demo.service; import java.util.Optional; import com.example.demo.mapper.UserMapper; import com.example.demo.model.User; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; @Service public class UserService { @Autowired private UserMapper userMapper; public Optional<User> getUserById(int userId) { return userMapper.findById(userId); } }
17.958333
62
0.798144
4bae1fa4b9e34321d9c51815d3c0b5f0afd71e7b
6,230
/* ---------------------------------------------------------------------------- * Copyright (C) 2021 European Space Agency * European Space Operations Centre * Darmstadt * Germany * ---------------------------------------------------------------------------- * System : ESA NanoSat MO Framework * ---------------------------------------------------------------------------- * Licensed under European Space Agency Public License (ESA-PL) Weak Copyleft – v2.4 * You may not use this file except in compliance with the License. * * Except as expressly set forth in this License, the Software is provided to * You on an "as is" basis and without warranties of any kind, including without * limitation merchantability, fitness for a particular purpose, absence of * defects or errors, accuracy or non-infringement of intellectual property rights. * * See the License for the specific language governing permissions and * limitations under the License. * ---------------------------------------------------------------------------- */ package esa.mo.nmf.ctt.guis; import esa.mo.nmf.ctt.utils.DirectoryConnectionConsumerPanel; import esa.mo.helpertools.connections.ConnectionConsumer; import java.awt.EventQueue; import java.io.FileNotFoundException; import java.net.MalformedURLException; import java.util.logging.Level; import java.util.logging.Logger; import javax.swing.JOptionPane; import javax.swing.JTabbedPane; import javax.swing.UIManager; import javax.swing.UnsupportedLookAndFeelException; import org.ccsds.moims.mo.com.COMHelper; import org.ccsds.moims.mo.common.CommonHelper; import org.ccsds.moims.mo.mal.MALContextFactory; import org.ccsds.moims.mo.mal.MALException; import org.ccsds.moims.mo.mal.MALHelper; import org.ccsds.moims.mo.mc.MCHelper; import org.ccsds.moims.mo.platform.PlatformHelper; import org.ccsds.moims.mo.softwaremanagement.SoftwareManagementHelper; /** * This class provides a simple form for the control of the consumer. */ public class ConsumerTestToolGUI extends javax.swing.JFrame { private static final Logger LOGGER = Logger.getLogger(ConsumerTestToolGUI.class.getName()); protected ConnectionConsumer connection = new ConnectionConsumer(); /** * Main command line entry point. * * @param args the command line arguments */ public static void main(final String args[]) { try { // Set cross-platform Java L&F (also called "Metal") UIManager.setLookAndFeel("com.sun.java.swing.plaf.windows.WindowsLookAndFeel"); } catch (UnsupportedLookAndFeelException | InstantiationException | ClassNotFoundException e) { } catch (IllegalAccessException e) { // handle exception } final String name = System.getProperty("application.name", "CTT: Consumer Test Tool"); final ConsumerTestToolGUI gui = new ConsumerTestToolGUI(name); gui.insertDirectoryServiceTab(""); EventQueue.invokeLater(() -> gui.setVisible(true)); } /** * Creates new form MOConsumerGUI * * @param name The name to display on the title bar of the form. */ public ConsumerTestToolGUI(final String name) { initComponents(); this.setLocationRelativeTo(null); this.setTitle(name); try { connection.loadURIs(); } catch (MalformedURLException ex) { JOptionPane.showMessageDialog(null, "The URIs could not be loaded from the file!", "Error", JOptionPane.PLAIN_MESSAGE); LOGGER.log(Level.SEVERE, null, ex); } catch (FileNotFoundException ex) { LOGGER.log(Level.INFO, "The file with provider URIs is not present."); } try { MALHelper.init(MALContextFactory.getElementFactoryRegistry()); COMHelper.deepInit(MALContextFactory.getElementFactoryRegistry()); MCHelper.deepInit(MALContextFactory.getElementFactoryRegistry()); CommonHelper.deepInit(MALContextFactory.getElementFactoryRegistry()); SoftwareManagementHelper.deepInit(MALContextFactory.getElementFactoryRegistry()); PlatformHelper.deepInit(MALContextFactory.getElementFactoryRegistry()); } catch (MALException ex) { LOGGER.log(Level.SEVERE, null, ex); } } public final void insertDirectoryServiceTab(final String defaultURI) { this.insertDirectoryServiceTab(defaultURI, false); } public void insertDirectoryServiceTab(final String defaultURI, final boolean isS2G) { final DirectoryConnectionConsumerPanel directoryTab = new DirectoryConnectionConsumerPanel(isS2G, connection, tabs); tabs.insertTab("Communication Settings (Directory)", null, directoryTab, "Communications Tab (Directory)", tabs.getTabCount()); directoryTab.setURITextbox(defaultURI); } public JTabbedPane getTabs() { return tabs; } /** * This method is called from within the constructor to initialize the form. WARNING: Do NOT * modify this code. The content of this method is always regenerated by the Form Editor. */ @SuppressWarnings("unchecked") // <editor-fold defaultstate="collapsed" desc="Generated Code">//GEN-BEGIN:initComponents private void initComponents() { tabs = new javax.swing.JTabbedPane(); setDefaultCloseOperation(javax.swing.WindowConstants.EXIT_ON_CLOSE); setMinimumSize(new java.awt.Dimension(800, 600)); setName("Form"); // NOI18N setPreferredSize(new java.awt.Dimension(1100, 600)); getContentPane().setLayout(new java.awt.BorderLayout(0, 4)); tabs.setToolTipText(""); tabs.setCursor(new java.awt.Cursor(java.awt.Cursor.DEFAULT_CURSOR)); tabs.setMaximumSize(new java.awt.Dimension(800, 600)); tabs.setMinimumSize(new java.awt.Dimension(800, 600)); tabs.setName("tabs"); // NOI18N tabs.setPreferredSize(new java.awt.Dimension(800, 600)); tabs.setRequestFocusEnabled(false); getContentPane().add(tabs, java.awt.BorderLayout.CENTER); pack(); }// </editor-fold>//GEN-END:initComponents // Variables declaration - do not modify//GEN-BEGIN:variables private javax.swing.JTabbedPane tabs; // End of variables declaration//GEN-END:variables }
38.220859
99
0.685554
defdb47eaf2a349d3dc26efaac6c0ed0565d25b5
9,039
package stellar.dialog; import javax.swing.BoxLayout; import javax.swing.Box; import javax.swing.JPanel; import javax.swing.JCheckBox; import java.awt.GridBagLayout; import java.awt.GridBagConstraints; import java.awt.Insets; import javax.swing.JComboBox; import javax.swing.JLabel; import javax.swing.ComboBoxModel; import javax.swing.BorderFactory; public class GenerateOptionsPanel2 extends JPanel { private GridBagLayout gridBagLayout1 = new GridBagLayout(); private JComboBox cbBasicDetails = new JComboBox(); private JComboBox cbDetailedSystem = new JComboBox(); private JComboBox cbWorldMap = new JComboBox(); private JLabel jLabel1 = new JLabel(); private JLabel jLabel2 = new JLabel(); private JLabel jLabel3 = new JLabel(); private ComboBoxModel comboBoxModel1 = new javax.swing.DefaultComboBoxModel(); private JPanel pTrade = new JPanel(); private JCheckBox cTradeBook7 = new JCheckBox(); private JCheckBox cTradeFT = new JCheckBox(); private JCheckBox cTradeT20 = new JCheckBox(); private GridBagLayout gridBagLayout2 = new GridBagLayout(); private JPanel pCultural = new JPanel(); private GridBagLayout gridBagLayout3 = new GridBagLayout(); private JCheckBox cCultureCensus = new JCheckBox(); private JCheckBox cCultureFI = new JCheckBox(); private JPanel pMilitary = new JPanel(); private GridBagLayout gridBagLayout4 = new GridBagLayout(); private JCheckBox cMilitaryStriker = new JCheckBox(); private JCheckBox cMilitaryPE = new JCheckBox(); private JCheckBox cMilitaryGF = new JCheckBox(); private JPanel pAnimal = new JPanel(); private GridBagLayout gridBagLayout5 = new GridBagLayout(); private JCheckBox jCheckBox1 = new JCheckBox(); private JCheckBox jCheckBox2 = new JCheckBox(); private JCheckBox cPsionicInstitute = new JCheckBox(); private JComboBox jcModifiersBasic = new JComboBox(); private JLabel jLabel5 = new JLabel(); private BoxLayout boxLayout1; private BoxLayout boxLayout2; private BoxLayout boxLayout3; private BoxLayout boxLayout4; public GenerateOptionsPanel2() { try { jbInit(); } catch(Exception e) { e.printStackTrace(); } } private void jbInit() throws Exception { this.setLayout(gridBagLayout1); cbBasicDetails.addItem("None"); cbBasicDetails.addItem ("Book 3: Worlds and Adventures"); cbBasicDetails.addItem ("Book 6: Scouts"); cbBasicDetails.addItem ("MegaTraveller"); cbBasicDetails.addItem ("Traveller: New Era"); cbBasicDetails.addItem ("Mark Miller's Traveller"); cbBasicDetails.addItem ("Traveller 3D"); cbDetailedSystem.addItem("None"); cbDetailedSystem.addItem("Book 6: Scouts"); cbDetailedSystem.addItem("MegaTraveller"); cbDetailedSystem.addItem("Traveller: New Era"); cbDetailedSystem.addItem("GURPS Traveller: First In"); cbDetailedSystem.addItem("GURPS Space"); cbDetailedSystem.addItem("Traveller D20"); cbDetailedSystem.addItem("Galactic StarGen"); cbDetailedSystem.addItem("Accrete"); cbWorldMap.addItem ("None"); cbWorldMap.addItem ("Grand Survey"); cbWorldMap.addItem ("World Tamer's Handbook"); cbWorldMap.addItem ("Fractal Generate"); String economicProfiles [] = {"Book 7: Merchant Prince", "GURPS Traveller: Far Trader", "Traveller T20"}; String culturalProfiles[] = {"Grand Census", "GURPS Traveller: First In"}; String militaryProfiles [] = {"Striker", "Adventure 5: Trillion Credit Squadron", "Pocket Empires", "GURPS Traveller: Ground Forces"}; String encounterTables [] = {"Book 3: Worlds and Adventures", "GURPS Traveller: First In"}; jLabel1.setText("Basic System"); jLabel2.setText("System Details"); jLabel3.setText("World Details"); boxLayout4 = new BoxLayout (pTrade, BoxLayout.PAGE_AXIS); pTrade.setBorder(BorderFactory.createTitledBorder(" Economic and Trade Profiles ")); pTrade.setLayout(boxLayout4); cTradeBook7.setText("Book 7: Merchant Prince"); cTradeFT.setText("GURPS Traveller: Far Trader"); cTradeT20.setText("Traveller T20"); boxLayout3 = new BoxLayout (pCultural, BoxLayout.PAGE_AXIS); pCultural.setLayout(boxLayout3); pCultural.setBorder(BorderFactory.createTitledBorder(" Cultural Profiles ")); cCultureCensus.setText("Grand Census"); cCultureFI.setText("GURPS Traveller: First In"); cPsionicInstitute.setText("Psionic Institutes"); boxLayout2 = new BoxLayout (pMilitary, BoxLayout.PAGE_AXIS); pMilitary.setLayout(boxLayout2); pMilitary.setBorder(BorderFactory.createTitledBorder(" Military Profiles ")); cMilitaryStriker.setText("Striker"); cMilitaryPE.setText("Pocket Empires"); cMilitaryGF.setText("GURPS Traveller: Ground Forces"); cMilitaryGF.setToolTipText("null"); boxLayout1 = new BoxLayout (pAnimal, BoxLayout.PAGE_AXIS); pAnimal.setBorder(BorderFactory.createTitledBorder(" Animal Encounter Tables ")); pAnimal.setLayout(boxLayout1); jCheckBox1.setText("Book 3: Worlds and Adventures"); jCheckBox2.setText("GURPS Traveller: First In"); jLabel5.setText("Basic System Modifiers"); jcModifiersBasic.addItem("None"); jcModifiersBasic.addItem("Alien Module 1"); jcModifiersBasic.addItem("Alien Module 2"); jcModifiersBasic.addItem("Alien Module 3"); jcModifiersBasic.addItem("Alien Module 4"); jcModifiersBasic.addItem("Alien Module 5"); jcModifiersBasic.addItem("Alien Module 6"); jcModifiersBasic.addItem("Alien Module 7"); jcModifiersBasic.addItem("Hard Times step 1"); jcModifiersBasic.addItem("Hard Times step 3"); jcModifiersBasic.addItem("Hard Times step 8"); jcModifiersBasic.addItem("Hard Times step 9"); jcModifiersBasic.addItem("TNE Collapse"); this.add(cbBasicDetails, new GridBagConstraints(1, 0, 1, 1, 0.5, 0.0, GridBagConstraints.WEST, GridBagConstraints.NONE, new Insets(5, 5, 5, 5), 0, 0)); this.add(cbDetailedSystem, new GridBagConstraints(1, 1, 1, 1, 0.0, 0.0, GridBagConstraints.WEST, GridBagConstraints.NONE, new Insets(5, 5, 5, 0), 0, 0)); this.add(cbWorldMap, new GridBagConstraints(1, 2, 1, 1, 0.0, 0.0, GridBagConstraints.NORTHWEST, GridBagConstraints.NONE, new Insets(5, 5, 5, 5), 0, 0)); this.add(jLabel1, new GridBagConstraints(0, 0, 1, 1, 0.5, 0.0, GridBagConstraints.EAST, GridBagConstraints.NONE, new Insets(5, 5, 5, 5), 0, 0)); this.add(jLabel2, new GridBagConstraints(0, 1, 1, 1, 0.0, 0.0, GridBagConstraints.EAST, GridBagConstraints.NONE, new Insets(5, 5, 0, 5), 0, 0)); this.add(jLabel3, new GridBagConstraints(0, 2, 1, 1, 0.0, 0.0, GridBagConstraints.NORTHEAST, GridBagConstraints.NONE, new Insets(5, 5, 5, 5), 0, 0)); pTrade.add(cTradeBook7, null ); pTrade.add(cTradeFT, null); pTrade.add(cTradeT20, null); pTrade.add(Box.createVerticalGlue(), null); this.add(pTrade, new GridBagConstraints(2, 2, 2, 4, 0.0, 0.0, GridBagConstraints.NORTHWEST, GridBagConstraints.NONE, new Insets(5, 5, 0, 5), 0, 0)); pCultural.add(cCultureCensus, null); pCultural.add(cCultureFI, null); pCultural.add(cPsionicInstitute, null); pCultural.add(Box.createVerticalGlue(), null); this.add(pCultural, new GridBagConstraints(2, 5, 2, 1, 0.0, 0.0, GridBagConstraints.NORTHWEST, GridBagConstraints.NONE, new Insets(5, 5, 5, 5), 0, 0)); pMilitary.add(cMilitaryStriker, null); pMilitary.add(cMilitaryPE, null); pMilitary.add(cMilitaryGF, null); pMilitary.add (Box.createVerticalGlue(), null); this.add(pMilitary, new GridBagConstraints(1, 5, 1, 1, 0.0, 1.0, GridBagConstraints.NORTHWEST, GridBagConstraints.NONE, new Insets(5, 5, 5, 0), 0, 0)); pAnimal.add (jCheckBox1, null); pAnimal.add (jCheckBox2, null); pAnimal.add (Box.createVerticalGlue(),null); this.add(pAnimal, new GridBagConstraints(1, 3, 1, 2, 0.0, 0.0, GridBagConstraints.NORTHWEST, GridBagConstraints.NONE, new Insets(0, 5, 0, 5), 0, 0)); this.add(jcModifiersBasic, new GridBagConstraints(3, 0, 1, 1, 0.0, 0.0, GridBagConstraints.WEST, GridBagConstraints.NONE, new Insets(0, 5, 5, 5), 0, 0)); this.add(jLabel5, new GridBagConstraints(2, 0, 1, 1, 0.0, 0.0, GridBagConstraints.EAST, GridBagConstraints.NONE, new Insets(0, 5, 5, 5), 0, 0)); this.setSize(this.getMinimumSize()); } }
48.859459
162
0.663901