repo stringlengths 7 58 | path stringlengths 12 218 | func_name stringlengths 3 140 | original_string stringlengths 73 34.1k | language stringclasses 1 value | code stringlengths 73 34.1k | code_tokens list | docstring stringlengths 3 16k | docstring_tokens list | sha stringlengths 40 40 | url stringlengths 105 339 | partition stringclasses 1 value |
|---|---|---|---|---|---|---|---|---|---|---|---|
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/api/OAuthClient.java | OAuthClient.acquireAccessToken | protected void acquireAccessToken(final OAuthCallback cb) {
if (isAccessTokenCached()) {
// Execute the callback immediately with cached OAuth credentials
if (VERBOSE) Log.d(TAG, "Access token cached");
if (cb != null) {
// Ensure networking occurs off the main thread
// TODO: Use an ExecutorService and expose an application shutdown method to shutdown?
new Thread(new Runnable() {
@Override
public void run() {
cb.onSuccess(getRequestFactoryFromCachedCredentials());
}
}).start();
}
} else if (mOauthInProgress && cb != null) {
// Add the callback to the queue for execution when outstanding OAuth negotiation complete
mCallbackQueue.add(cb);
if (VERBOSE) Log.i(TAG, "Adding cb to queue");
} else {
mOauthInProgress = true;
// Perform an OAuth Client Credentials Request
// TODO: Replace with new Thread()
new AsyncTask<Void, Void, Void>() {
@Override
protected Void doInBackground(Void... params) {
TokenResponse response = null;
try {
if (VERBOSE)
Log.i(TAG, "Fetching OAuth " + mConfig.getAccessTokenRequestUrl());
response = new ClientCredentialsTokenRequest(new NetHttpTransport(), new JacksonFactory(), new GenericUrl(mConfig.getAccessTokenRequestUrl()))
.setGrantType("client_credentials")
.setClientAuthentication(new BasicAuthentication(mConfig.getClientId(), mConfig.getClientSecret()))
.execute();
} catch (IOException e) {
// TODO: Alert user Kickflip down
// or client credentials invalid
if (cb != null) {
postExceptionToCallback(cb, e);
}
e.printStackTrace();
}
if (response != null) {
if (VERBOSE)
Log.i(TAG, "Got Access Token " + response.getAccessToken().substring(0, 5) + "...");
storeAccessToken(response);
mOauthInProgress = false;
if (cb != null)
cb.onSuccess(getRequestFactoryFromAccessToken(mStorage.getString(ACCESS_TOKEN_KEY, null)));
executeQueuedCallbacks();
} else {
mOauthInProgress = false;
Log.w(TAG, "Failed to get Access Token");
}
return null;
}
}.execute();
}
} | java | protected void acquireAccessToken(final OAuthCallback cb) {
if (isAccessTokenCached()) {
// Execute the callback immediately with cached OAuth credentials
if (VERBOSE) Log.d(TAG, "Access token cached");
if (cb != null) {
// Ensure networking occurs off the main thread
// TODO: Use an ExecutorService and expose an application shutdown method to shutdown?
new Thread(new Runnable() {
@Override
public void run() {
cb.onSuccess(getRequestFactoryFromCachedCredentials());
}
}).start();
}
} else if (mOauthInProgress && cb != null) {
// Add the callback to the queue for execution when outstanding OAuth negotiation complete
mCallbackQueue.add(cb);
if (VERBOSE) Log.i(TAG, "Adding cb to queue");
} else {
mOauthInProgress = true;
// Perform an OAuth Client Credentials Request
// TODO: Replace with new Thread()
new AsyncTask<Void, Void, Void>() {
@Override
protected Void doInBackground(Void... params) {
TokenResponse response = null;
try {
if (VERBOSE)
Log.i(TAG, "Fetching OAuth " + mConfig.getAccessTokenRequestUrl());
response = new ClientCredentialsTokenRequest(new NetHttpTransport(), new JacksonFactory(), new GenericUrl(mConfig.getAccessTokenRequestUrl()))
.setGrantType("client_credentials")
.setClientAuthentication(new BasicAuthentication(mConfig.getClientId(), mConfig.getClientSecret()))
.execute();
} catch (IOException e) {
// TODO: Alert user Kickflip down
// or client credentials invalid
if (cb != null) {
postExceptionToCallback(cb, e);
}
e.printStackTrace();
}
if (response != null) {
if (VERBOSE)
Log.i(TAG, "Got Access Token " + response.getAccessToken().substring(0, 5) + "...");
storeAccessToken(response);
mOauthInProgress = false;
if (cb != null)
cb.onSuccess(getRequestFactoryFromAccessToken(mStorage.getString(ACCESS_TOKEN_KEY, null)));
executeQueuedCallbacks();
} else {
mOauthInProgress = false;
Log.w(TAG, "Failed to get Access Token");
}
return null;
}
}.execute();
}
} | [
"protected",
"void",
"acquireAccessToken",
"(",
"final",
"OAuthCallback",
"cb",
")",
"{",
"if",
"(",
"isAccessTokenCached",
"(",
")",
")",
"{",
"// Execute the callback immediately with cached OAuth credentials",
"if",
"(",
"VERBOSE",
")",
"Log",
".",
"d",
"(",
"TAG... | Asynchronously attempt to acquire an OAuth Access Token
@param cb called when AccessToken is acquired. Always called
on a background thread suitable for networking. | [
"Asynchronously",
"attempt",
"to",
"acquire",
"an",
"OAuth",
"Access",
"Token"
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/api/OAuthClient.java#L96-L154 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/api/OAuthClient.java | OAuthClient.executeQueuedCallbacks | protected void executeQueuedCallbacks() {
if (VERBOSE)
Log.i(TAG, String.format("Executing %d queued callbacks", mCallbackQueue.size()));
for (OAuthCallback cb : mCallbackQueue) {
cb.onSuccess(getRequestFactoryFromCachedCredentials());
}
} | java | protected void executeQueuedCallbacks() {
if (VERBOSE)
Log.i(TAG, String.format("Executing %d queued callbacks", mCallbackQueue.size()));
for (OAuthCallback cb : mCallbackQueue) {
cb.onSuccess(getRequestFactoryFromCachedCredentials());
}
} | [
"protected",
"void",
"executeQueuedCallbacks",
"(",
")",
"{",
"if",
"(",
"VERBOSE",
")",
"Log",
".",
"i",
"(",
"TAG",
",",
"String",
".",
"format",
"(",
"\"Executing %d queued callbacks\"",
",",
"mCallbackQueue",
".",
"size",
"(",
")",
")",
")",
";",
"for"... | Execute queued callbacks once valid OAuth
credentials are acquired. | [
"Execute",
"queued",
"callbacks",
"once",
"valid",
"OAuth",
"credentials",
"are",
"acquired",
"."
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/api/OAuthClient.java#L214-L220 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/av/FFmpegMuxer.java | FFmpegMuxer.captureH264MetaData | private void captureH264MetaData(ByteBuffer encodedData, MediaCodec.BufferInfo bufferInfo) {
mH264MetaSize = bufferInfo.size;
mH264Keyframe = ByteBuffer.allocateDirect(encodedData.capacity());
byte[] videoConfig = new byte[bufferInfo.size];
encodedData.get(videoConfig, bufferInfo.offset, bufferInfo.size);
encodedData.position(bufferInfo.offset);
encodedData.put(videoConfig, 0, bufferInfo.size);
encodedData.position(bufferInfo.offset);
mH264Keyframe.put(videoConfig, 0, bufferInfo.size);
} | java | private void captureH264MetaData(ByteBuffer encodedData, MediaCodec.BufferInfo bufferInfo) {
mH264MetaSize = bufferInfo.size;
mH264Keyframe = ByteBuffer.allocateDirect(encodedData.capacity());
byte[] videoConfig = new byte[bufferInfo.size];
encodedData.get(videoConfig, bufferInfo.offset, bufferInfo.size);
encodedData.position(bufferInfo.offset);
encodedData.put(videoConfig, 0, bufferInfo.size);
encodedData.position(bufferInfo.offset);
mH264Keyframe.put(videoConfig, 0, bufferInfo.size);
} | [
"private",
"void",
"captureH264MetaData",
"(",
"ByteBuffer",
"encodedData",
",",
"MediaCodec",
".",
"BufferInfo",
"bufferInfo",
")",
"{",
"mH264MetaSize",
"=",
"bufferInfo",
".",
"size",
";",
"mH264Keyframe",
"=",
"ByteBuffer",
".",
"allocateDirect",
"(",
"encodedDa... | Should only be called once, when the encoder produces
an output buffer with the BUFFER_FLAG_CODEC_CONFIG flag.
For H264 output, this indicates the Sequence Parameter Set
and Picture Parameter Set are contained in the buffer.
These NAL units are required before every keyframe to ensure
playback is possible in a segmented stream.
@param encodedData
@param bufferInfo | [
"Should",
"only",
"be",
"called",
"once",
"when",
"the",
"encoder",
"produces",
"an",
"output",
"buffer",
"with",
"the",
"BUFFER_FLAG_CODEC_CONFIG",
"flag",
".",
"For",
"H264",
"output",
"this",
"indicates",
"the",
"Sequence",
"Parameter",
"Set",
"and",
"Picture... | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/av/FFmpegMuxer.java#L296-L305 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/av/FFmpegMuxer.java | FFmpegMuxer.packageH264Keyframe | private void packageH264Keyframe(ByteBuffer encodedData, MediaCodec.BufferInfo bufferInfo) {
mH264Keyframe.position(mH264MetaSize);
mH264Keyframe.put(encodedData); // BufferOverflow
} | java | private void packageH264Keyframe(ByteBuffer encodedData, MediaCodec.BufferInfo bufferInfo) {
mH264Keyframe.position(mH264MetaSize);
mH264Keyframe.put(encodedData); // BufferOverflow
} | [
"private",
"void",
"packageH264Keyframe",
"(",
"ByteBuffer",
"encodedData",
",",
"MediaCodec",
".",
"BufferInfo",
"bufferInfo",
")",
"{",
"mH264Keyframe",
".",
"position",
"(",
"mH264MetaSize",
")",
";",
"mH264Keyframe",
".",
"put",
"(",
"encodedData",
")",
";",
... | Adds the SPS + PPS data to the ByteBuffer containing a h264 keyframe
@param encodedData
@param bufferInfo | [
"Adds",
"the",
"SPS",
"+",
"PPS",
"data",
"to",
"the",
"ByteBuffer",
"containing",
"a",
"h264",
"keyframe"
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/av/FFmpegMuxer.java#L313-L316 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/av/Texture2dProgram.java | Texture2dProgram.handleTouchEvent | public void handleTouchEvent(MotionEvent ev){
if(ev.getAction() == MotionEvent.ACTION_MOVE){
// A finger is dragging about
if(mTexHeight != 0 && mTexWidth != 0){
mSummedTouchPosition[0] += (2 * (ev.getX() - mLastTouchPosition[0])) / mTexWidth;
mSummedTouchPosition[1] += (2 * (ev.getY() - mLastTouchPosition[1])) / -mTexHeight;
mLastTouchPosition[0] = ev.getX();
mLastTouchPosition[1] = ev.getY();
}
}else if(ev.getAction() == MotionEvent.ACTION_DOWN){
// The primary finger has landed
mLastTouchPosition[0] = ev.getX();
mLastTouchPosition[1] = ev.getY();
}
} | java | public void handleTouchEvent(MotionEvent ev){
if(ev.getAction() == MotionEvent.ACTION_MOVE){
// A finger is dragging about
if(mTexHeight != 0 && mTexWidth != 0){
mSummedTouchPosition[0] += (2 * (ev.getX() - mLastTouchPosition[0])) / mTexWidth;
mSummedTouchPosition[1] += (2 * (ev.getY() - mLastTouchPosition[1])) / -mTexHeight;
mLastTouchPosition[0] = ev.getX();
mLastTouchPosition[1] = ev.getY();
}
}else if(ev.getAction() == MotionEvent.ACTION_DOWN){
// The primary finger has landed
mLastTouchPosition[0] = ev.getX();
mLastTouchPosition[1] = ev.getY();
}
} | [
"public",
"void",
"handleTouchEvent",
"(",
"MotionEvent",
"ev",
")",
"{",
"if",
"(",
"ev",
".",
"getAction",
"(",
")",
"==",
"MotionEvent",
".",
"ACTION_MOVE",
")",
"{",
"// A finger is dragging about",
"if",
"(",
"mTexHeight",
"!=",
"0",
"&&",
"mTexWidth",
... | Configures the effect offset
This only has an effect for programs that
use positional effects like SQUEEZE and MIRROR | [
"Configures",
"the",
"effect",
"offset"
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/av/Texture2dProgram.java#L468-L482 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/av/Texture2dProgram.java | Texture2dProgram.setKernel | public void setKernel(float[] values, float colorAdj) {
if (values.length != KERNEL_SIZE) {
throw new IllegalArgumentException("Kernel size is " + values.length +
" vs. " + KERNEL_SIZE);
}
System.arraycopy(values, 0, mKernel, 0, KERNEL_SIZE);
mColorAdjust = colorAdj;
//Log.d(TAG, "filt kernel: " + Arrays.toString(mKernel) + ", adj=" + colorAdj);
} | java | public void setKernel(float[] values, float colorAdj) {
if (values.length != KERNEL_SIZE) {
throw new IllegalArgumentException("Kernel size is " + values.length +
" vs. " + KERNEL_SIZE);
}
System.arraycopy(values, 0, mKernel, 0, KERNEL_SIZE);
mColorAdjust = colorAdj;
//Log.d(TAG, "filt kernel: " + Arrays.toString(mKernel) + ", adj=" + colorAdj);
} | [
"public",
"void",
"setKernel",
"(",
"float",
"[",
"]",
"values",
",",
"float",
"colorAdj",
")",
"{",
"if",
"(",
"values",
".",
"length",
"!=",
"KERNEL_SIZE",
")",
"{",
"throw",
"new",
"IllegalArgumentException",
"(",
"\"Kernel size is \"",
"+",
"values",
"."... | Configures the convolution filter values.
This only has an effect for programs that use the
FRAGMENT_SHADER_EXT_FILT Fragment shader.
@param values Normalized filter values; must be KERNEL_SIZE elements. | [
"Configures",
"the",
"convolution",
"filter",
"values",
".",
"This",
"only",
"has",
"an",
"effect",
"for",
"programs",
"that",
"use",
"the",
"FRAGMENT_SHADER_EXT_FILT",
"Fragment",
"shader",
"."
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/av/Texture2dProgram.java#L491-L499 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/av/Texture2dProgram.java | Texture2dProgram.setTexSize | public void setTexSize(int width, int height) {
mTexHeight = height;
mTexWidth = width;
float rw = 1.0f / width;
float rh = 1.0f / height;
// Don't need to create a new array here, but it's syntactically convenient.
mTexOffset = new float[] {
-rw, -rh, 0f, -rh, rw, -rh,
-rw, 0f, 0f, 0f, rw, 0f,
-rw, rh, 0f, rh, rw, rh
};
//Log.d(TAG, "filt size: " + width + "x" + height + ": " + Arrays.toString(mTexOffset));
} | java | public void setTexSize(int width, int height) {
mTexHeight = height;
mTexWidth = width;
float rw = 1.0f / width;
float rh = 1.0f / height;
// Don't need to create a new array here, but it's syntactically convenient.
mTexOffset = new float[] {
-rw, -rh, 0f, -rh, rw, -rh,
-rw, 0f, 0f, 0f, rw, 0f,
-rw, rh, 0f, rh, rw, rh
};
//Log.d(TAG, "filt size: " + width + "x" + height + ": " + Arrays.toString(mTexOffset));
} | [
"public",
"void",
"setTexSize",
"(",
"int",
"width",
",",
"int",
"height",
")",
"{",
"mTexHeight",
"=",
"height",
";",
"mTexWidth",
"=",
"width",
";",
"float",
"rw",
"=",
"1.0f",
"/",
"width",
";",
"float",
"rh",
"=",
"1.0f",
"/",
"height",
";",
"// ... | Sets the size of the texture. This is used to find adjacent texels when filtering. | [
"Sets",
"the",
"size",
"of",
"the",
"texture",
".",
"This",
"is",
"used",
"to",
"find",
"adjacent",
"texels",
"when",
"filtering",
"."
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/av/Texture2dProgram.java#L504-L517 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/av/Texture2dProgram.java | Texture2dProgram.draw | public void draw(float[] mvpMatrix, FloatBuffer vertexBuffer, int firstVertex,
int vertexCount, int coordsPerVertex, int vertexStride,
float[] texMatrix, FloatBuffer texBuffer, int textureId, int texStride) {
GlUtil.checkGlError("draw start");
// Select the program.
GLES20.glUseProgram(mProgramHandle);
GlUtil.checkGlError("glUseProgram");
// Set the texture.
GLES20.glActiveTexture(GLES20.GL_TEXTURE0);
GLES20.glBindTexture(mTextureTarget, textureId);
// Copy the model / view / projection matrix over.
GLES20.glUniformMatrix4fv(muMVPMatrixLoc, 1, false, mvpMatrix, 0);
GlUtil.checkGlError("glUniformMatrix4fv");
// Copy the texture transformation matrix over.
GLES20.glUniformMatrix4fv(muTexMatrixLoc, 1, false, texMatrix, 0);
GlUtil.checkGlError("glUniformMatrix4fv");
// Enable the "aPosition" vertex attribute.
GLES20.glEnableVertexAttribArray(maPositionLoc);
GlUtil.checkGlError("glEnableVertexAttribArray");
// Connect vertexBuffer to "aPosition".
GLES20.glVertexAttribPointer(maPositionLoc, coordsPerVertex,
GLES20.GL_FLOAT, false, vertexStride, vertexBuffer);
GlUtil.checkGlError("glVertexAttribPointer");
// Enable the "aTextureCoord" vertex attribute.
GLES20.glEnableVertexAttribArray(maTextureCoordLoc);
GlUtil.checkGlError("glEnableVertexAttribArray");
// Connect texBuffer to "aTextureCoord".
GLES20.glVertexAttribPointer(maTextureCoordLoc, 2,
GLES20.GL_FLOAT, false, texStride, texBuffer);
GlUtil.checkGlError("glVertexAttribPointer");
// Populate the convolution kernel, if present.
if (muKernelLoc >= 0) {
GLES20.glUniform1fv(muKernelLoc, KERNEL_SIZE, mKernel, 0);
GLES20.glUniform2fv(muTexOffsetLoc, KERNEL_SIZE, mTexOffset, 0);
GLES20.glUniform1f(muColorAdjustLoc, mColorAdjust);
}
// Populate touch position data, if present
if (muTouchPositionLoc >= 0){
GLES20.glUniform2fv(muTouchPositionLoc, 1, mSummedTouchPosition, 0);
}
// Draw the rect.
GLES20.glDrawArrays(GLES20.GL_TRIANGLE_STRIP, firstVertex, vertexCount);
GlUtil.checkGlError("glDrawArrays");
// Done -- disable vertex array, texture, and program.
GLES20.glDisableVertexAttribArray(maPositionLoc);
GLES20.glDisableVertexAttribArray(maTextureCoordLoc);
GLES20.glBindTexture(mTextureTarget, 0);
GLES20.glUseProgram(0);
} | java | public void draw(float[] mvpMatrix, FloatBuffer vertexBuffer, int firstVertex,
int vertexCount, int coordsPerVertex, int vertexStride,
float[] texMatrix, FloatBuffer texBuffer, int textureId, int texStride) {
GlUtil.checkGlError("draw start");
// Select the program.
GLES20.glUseProgram(mProgramHandle);
GlUtil.checkGlError("glUseProgram");
// Set the texture.
GLES20.glActiveTexture(GLES20.GL_TEXTURE0);
GLES20.glBindTexture(mTextureTarget, textureId);
// Copy the model / view / projection matrix over.
GLES20.glUniformMatrix4fv(muMVPMatrixLoc, 1, false, mvpMatrix, 0);
GlUtil.checkGlError("glUniformMatrix4fv");
// Copy the texture transformation matrix over.
GLES20.glUniformMatrix4fv(muTexMatrixLoc, 1, false, texMatrix, 0);
GlUtil.checkGlError("glUniformMatrix4fv");
// Enable the "aPosition" vertex attribute.
GLES20.glEnableVertexAttribArray(maPositionLoc);
GlUtil.checkGlError("glEnableVertexAttribArray");
// Connect vertexBuffer to "aPosition".
GLES20.glVertexAttribPointer(maPositionLoc, coordsPerVertex,
GLES20.GL_FLOAT, false, vertexStride, vertexBuffer);
GlUtil.checkGlError("glVertexAttribPointer");
// Enable the "aTextureCoord" vertex attribute.
GLES20.glEnableVertexAttribArray(maTextureCoordLoc);
GlUtil.checkGlError("glEnableVertexAttribArray");
// Connect texBuffer to "aTextureCoord".
GLES20.glVertexAttribPointer(maTextureCoordLoc, 2,
GLES20.GL_FLOAT, false, texStride, texBuffer);
GlUtil.checkGlError("glVertexAttribPointer");
// Populate the convolution kernel, if present.
if (muKernelLoc >= 0) {
GLES20.glUniform1fv(muKernelLoc, KERNEL_SIZE, mKernel, 0);
GLES20.glUniform2fv(muTexOffsetLoc, KERNEL_SIZE, mTexOffset, 0);
GLES20.glUniform1f(muColorAdjustLoc, mColorAdjust);
}
// Populate touch position data, if present
if (muTouchPositionLoc >= 0){
GLES20.glUniform2fv(muTouchPositionLoc, 1, mSummedTouchPosition, 0);
}
// Draw the rect.
GLES20.glDrawArrays(GLES20.GL_TRIANGLE_STRIP, firstVertex, vertexCount);
GlUtil.checkGlError("glDrawArrays");
// Done -- disable vertex array, texture, and program.
GLES20.glDisableVertexAttribArray(maPositionLoc);
GLES20.glDisableVertexAttribArray(maTextureCoordLoc);
GLES20.glBindTexture(mTextureTarget, 0);
GLES20.glUseProgram(0);
} | [
"public",
"void",
"draw",
"(",
"float",
"[",
"]",
"mvpMatrix",
",",
"FloatBuffer",
"vertexBuffer",
",",
"int",
"firstVertex",
",",
"int",
"vertexCount",
",",
"int",
"coordsPerVertex",
",",
"int",
"vertexStride",
",",
"float",
"[",
"]",
"texMatrix",
",",
"Flo... | Issues the draw call. Does the full setup on every call.
@param mvpMatrix The 4x4 projection matrix.
@param vertexBuffer Buffer with vertex position data.
@param firstVertex Index of first vertex to use in vertexBuffer.
@param vertexCount Number of vertices in vertexBuffer.
@param coordsPerVertex The number of coordinates per vertex (e.g. x,y is 2).
@param vertexStride Width, in bytes, of the position data for each vertex (often
vertexCount * sizeof(float)).
@param texMatrix A 4x4 transformation matrix for texture coords.
@param texBuffer Buffer with vertex texture data.
@param texStride Width, in bytes, of the texture data for each vertex. | [
"Issues",
"the",
"draw",
"call",
".",
"Does",
"the",
"full",
"setup",
"on",
"every",
"call",
"."
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/av/Texture2dProgram.java#L533-L593 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/location/DeviceLocation.java | DeviceLocation.getLastKnownLocation | public static void getLastKnownLocation(Context context, boolean waitForGpsFix, final LocationResult cb) {
DeviceLocation deviceLocation = new DeviceLocation();
LocationManager lm = (LocationManager) context.getSystemService(Context.LOCATION_SERVICE);
Location last_loc;
last_loc = lm.getLastKnownLocation(LocationManager.GPS_PROVIDER);
if (last_loc == null)
last_loc = lm.getLastKnownLocation(LocationManager.NETWORK_PROVIDER);
if (last_loc != null && cb != null) {
cb.gotLocation(last_loc);
} else {
deviceLocation.getLocation(context, cb, waitForGpsFix);
}
} | java | public static void getLastKnownLocation(Context context, boolean waitForGpsFix, final LocationResult cb) {
DeviceLocation deviceLocation = new DeviceLocation();
LocationManager lm = (LocationManager) context.getSystemService(Context.LOCATION_SERVICE);
Location last_loc;
last_loc = lm.getLastKnownLocation(LocationManager.GPS_PROVIDER);
if (last_loc == null)
last_loc = lm.getLastKnownLocation(LocationManager.NETWORK_PROVIDER);
if (last_loc != null && cb != null) {
cb.gotLocation(last_loc);
} else {
deviceLocation.getLocation(context, cb, waitForGpsFix);
}
} | [
"public",
"static",
"void",
"getLastKnownLocation",
"(",
"Context",
"context",
",",
"boolean",
"waitForGpsFix",
",",
"final",
"LocationResult",
"cb",
")",
"{",
"DeviceLocation",
"deviceLocation",
"=",
"new",
"DeviceLocation",
"(",
")",
";",
"LocationManager",
"lm",
... | Get the last known location.
If one is not available, fetch
a fresh location
@param context
@param waitForGpsFix
@param cb | [
"Get",
"the",
"last",
"known",
"location",
".",
"If",
"one",
"is",
"not",
"available",
"fetch",
"a",
"fresh",
"location"
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/location/DeviceLocation.java#L41-L55 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/Kickflip.java | Kickflip.getApiClient | public static KickflipApiClient getApiClient(Context context, KickflipCallback callback) {
checkNotNull(sClientKey);
checkNotNull(sClientSecret);
if (sKickflip == null || !sKickflip.getConfig().getClientId().equals(sClientKey)) {
sKickflip = new KickflipApiClient(context, sClientKey, sClientSecret, callback);
} else if (callback != null) {
callback.onSuccess(sKickflip.getActiveUser());
}
return sKickflip;
} | java | public static KickflipApiClient getApiClient(Context context, KickflipCallback callback) {
checkNotNull(sClientKey);
checkNotNull(sClientSecret);
if (sKickflip == null || !sKickflip.getConfig().getClientId().equals(sClientKey)) {
sKickflip = new KickflipApiClient(context, sClientKey, sClientSecret, callback);
} else if (callback != null) {
callback.onSuccess(sKickflip.getActiveUser());
}
return sKickflip;
} | [
"public",
"static",
"KickflipApiClient",
"getApiClient",
"(",
"Context",
"context",
",",
"KickflipCallback",
"callback",
")",
"{",
"checkNotNull",
"(",
"sClientKey",
")",
";",
"checkNotNull",
"(",
"sClientSecret",
")",
";",
"if",
"(",
"sKickflip",
"==",
"null",
... | Create a new instance of the KickflipApiClient if one hasn't
yet been created, or the provided API keys don't match
the existing client.
@param context the context of the host application
@param callback an optional callback to be notified with the Kickflip user
corresponding to the provided API keys.
@return | [
"Create",
"a",
"new",
"instance",
"of",
"the",
"KickflipApiClient",
"if",
"one",
"hasn",
"t",
"yet",
"been",
"created",
"or",
"the",
"provided",
"API",
"keys",
"don",
"t",
"match",
"the",
"existing",
"client",
"."
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/Kickflip.java#L336-L345 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/api/KickflipApiClient.java | KickflipApiClient.loginUser | public void loginUser(String username, final String password, final KickflipCallback cb) {
GenericData data = new GenericData();
data.put("username", username);
data.put("password", password);
post(GET_USER_PRIVATE, new UrlEncodedContent(data), User.class, new KickflipCallback() {
@Override
public void onSuccess(final Response response) {
if (VERBOSE)
Log.i(TAG, "loginUser response: " + response);
storeNewUserResponse((User) response, password);
postResponseToCallback(cb, response);
}
@Override
public void onError(final KickflipException error) {
Log.w(TAG, "loginUser Error: " + error);
postExceptionToCallback(cb, error);
}
});
} | java | public void loginUser(String username, final String password, final KickflipCallback cb) {
GenericData data = new GenericData();
data.put("username", username);
data.put("password", password);
post(GET_USER_PRIVATE, new UrlEncodedContent(data), User.class, new KickflipCallback() {
@Override
public void onSuccess(final Response response) {
if (VERBOSE)
Log.i(TAG, "loginUser response: " + response);
storeNewUserResponse((User) response, password);
postResponseToCallback(cb, response);
}
@Override
public void onError(final KickflipException error) {
Log.w(TAG, "loginUser Error: " + error);
postExceptionToCallback(cb, error);
}
});
} | [
"public",
"void",
"loginUser",
"(",
"String",
"username",
",",
"final",
"String",
"password",
",",
"final",
"KickflipCallback",
"cb",
")",
"{",
"GenericData",
"data",
"=",
"new",
"GenericData",
"(",
")",
";",
"data",
".",
"put",
"(",
"\"username\"",
",",
"... | Login an exiting Kickflip User and make it active.
@param username The Kickflip user's username
@param password The Kickflip user's password
@param cb This callback will receive a User in {@link io.kickflip.sdk.api.KickflipCallback#onSuccess(io.kickflip.sdk.api.json.Response)}
or an Exception {@link io.kickflip.sdk.api.KickflipCallback#onError(io.kickflip.sdk.exception.KickflipException)}. | [
"Login",
"an",
"exiting",
"Kickflip",
"User",
"and",
"make",
"it",
"active",
"."
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/api/KickflipApiClient.java#L214-L234 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/api/KickflipApiClient.java | KickflipApiClient.setUserInfo | public void setUserInfo(final String newPassword, String email, String displayName, Map extraInfo, final KickflipCallback cb) {
if (!assertActiveUserAvailable(cb)) return;
GenericData data = new GenericData();
final String finalPassword;
if (newPassword != null){
data.put("new_password", newPassword);
finalPassword = newPassword;
} else {
finalPassword = getPasswordForActiveUser();
}
if (email != null) data.put("email", email);
if (displayName != null) data.put("display_name", displayName);
if (extraInfo != null) data.put("extra_info", new Gson().toJson(extraInfo));
post(EDIT_USER, new UrlEncodedContent(data), User.class, new KickflipCallback() {
@Override
public void onSuccess(final Response response) {
if (VERBOSE)
Log.i(TAG, "setUserInfo response: " + response);
storeNewUserResponse((User) response, finalPassword);
postResponseToCallback(cb, response);
}
@Override
public void onError(final KickflipException error) {
Log.w(TAG, "setUserInfo Error: " + error);
postExceptionToCallback(cb, error);
}
});
} | java | public void setUserInfo(final String newPassword, String email, String displayName, Map extraInfo, final KickflipCallback cb) {
if (!assertActiveUserAvailable(cb)) return;
GenericData data = new GenericData();
final String finalPassword;
if (newPassword != null){
data.put("new_password", newPassword);
finalPassword = newPassword;
} else {
finalPassword = getPasswordForActiveUser();
}
if (email != null) data.put("email", email);
if (displayName != null) data.put("display_name", displayName);
if (extraInfo != null) data.put("extra_info", new Gson().toJson(extraInfo));
post(EDIT_USER, new UrlEncodedContent(data), User.class, new KickflipCallback() {
@Override
public void onSuccess(final Response response) {
if (VERBOSE)
Log.i(TAG, "setUserInfo response: " + response);
storeNewUserResponse((User) response, finalPassword);
postResponseToCallback(cb, response);
}
@Override
public void onError(final KickflipException error) {
Log.w(TAG, "setUserInfo Error: " + error);
postExceptionToCallback(cb, error);
}
});
} | [
"public",
"void",
"setUserInfo",
"(",
"final",
"String",
"newPassword",
",",
"String",
"email",
",",
"String",
"displayName",
",",
"Map",
"extraInfo",
",",
"final",
"KickflipCallback",
"cb",
")",
"{",
"if",
"(",
"!",
"assertActiveUserAvailable",
"(",
"cb",
")"... | Set the current active user's meta info. Pass a null argument to leave it as-is.
@param newPassword the user's new password
@param email the user's new email address
@param displayName The desired display name
@param extraInfo Arbitrary String data to associate with this user.
@param cb This callback will receive a User in {@link io.kickflip.sdk.api.KickflipCallback#onSuccess(io.kickflip.sdk.api.json.Response)}
or an Exception {@link io.kickflip.sdk.api.KickflipCallback#onError(io.kickflip.sdk.exception.KickflipException)}. | [
"Set",
"the",
"current",
"active",
"user",
"s",
"meta",
"info",
".",
"Pass",
"a",
"null",
"argument",
"to",
"leave",
"it",
"as",
"-",
"is",
"."
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/api/KickflipApiClient.java#L246-L275 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/api/KickflipApiClient.java | KickflipApiClient.getUserInfo | public void getUserInfo(String username, final KickflipCallback cb) {
if (!assertActiveUserAvailable(cb)) return;
GenericData data = new GenericData();
data.put("username", username);
post(GET_USER_PUBLIC, new UrlEncodedContent(data), User.class, new KickflipCallback() {
@Override
public void onSuccess(final Response response) {
if (VERBOSE)
Log.i(TAG, "getUserInfo response: " + response);
postResponseToCallback(cb, response);
}
@Override
public void onError(final KickflipException error) {
Log.w(TAG, "getUserInfo Error: " + error);
postExceptionToCallback(cb, error);
}
});
} | java | public void getUserInfo(String username, final KickflipCallback cb) {
if (!assertActiveUserAvailable(cb)) return;
GenericData data = new GenericData();
data.put("username", username);
post(GET_USER_PUBLIC, new UrlEncodedContent(data), User.class, new KickflipCallback() {
@Override
public void onSuccess(final Response response) {
if (VERBOSE)
Log.i(TAG, "getUserInfo response: " + response);
postResponseToCallback(cb, response);
}
@Override
public void onError(final KickflipException error) {
Log.w(TAG, "getUserInfo Error: " + error);
postExceptionToCallback(cb, error);
}
});
} | [
"public",
"void",
"getUserInfo",
"(",
"String",
"username",
",",
"final",
"KickflipCallback",
"cb",
")",
"{",
"if",
"(",
"!",
"assertActiveUserAvailable",
"(",
"cb",
")",
")",
"return",
";",
"GenericData",
"data",
"=",
"new",
"GenericData",
"(",
")",
";",
... | Get public user info
@param username The Kickflip user's username
@param cb This callback will receive a User in {@link io.kickflip.sdk.api.KickflipCallback#onSuccess(io.kickflip.sdk.api.json.Response)}
or an Exception {@link io.kickflip.sdk.api.KickflipCallback#onError(io.kickflip.sdk.exception.KickflipException)}. | [
"Get",
"public",
"user",
"info"
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/api/KickflipApiClient.java#L284-L303 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/api/KickflipApiClient.java | KickflipApiClient.stopStream | private void stopStream(User user, Stream stream, final KickflipCallback cb) {
checkNotNull(stream);
// TODO: Add start / stop lat lon to Stream?
GenericData data = new GenericData();
data.put("stream_id", stream.getStreamId());
data.put("uuid", user.getUUID());
if (stream.getLatitude() != 0) {
data.put("lat", stream.getLatitude());
}
if (stream.getLongitude() != 0) {
data.put("lon", stream.getLongitude());
}
post(STOP_STREAM, new UrlEncodedContent(data), HlsStream.class, cb);
} | java | private void stopStream(User user, Stream stream, final KickflipCallback cb) {
checkNotNull(stream);
// TODO: Add start / stop lat lon to Stream?
GenericData data = new GenericData();
data.put("stream_id", stream.getStreamId());
data.put("uuid", user.getUUID());
if (stream.getLatitude() != 0) {
data.put("lat", stream.getLatitude());
}
if (stream.getLongitude() != 0) {
data.put("lon", stream.getLongitude());
}
post(STOP_STREAM, new UrlEncodedContent(data), HlsStream.class, cb);
} | [
"private",
"void",
"stopStream",
"(",
"User",
"user",
",",
"Stream",
"stream",
",",
"final",
"KickflipCallback",
"cb",
")",
"{",
"checkNotNull",
"(",
"stream",
")",
";",
"// TODO: Add start / stop lat lon to Stream?",
"GenericData",
"data",
"=",
"new",
"GenericData"... | Stop a Stream owned by the given Kickflip User.
@param cb This callback will receive a Stream subclass in #onSuccess(response)
depending on the Kickflip account type. Implementors should
check if the response is instanceof HlsStream, etc. | [
"Stop",
"a",
"Stream",
"owned",
"by",
"the",
"given",
"Kickflip",
"User",
"."
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/api/KickflipApiClient.java#L370-L383 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/api/KickflipApiClient.java | KickflipApiClient.handleKickflipResponse | private void handleKickflipResponse(HttpResponse response, Class<? extends Response> responseClass, KickflipCallback cb) throws IOException {
if (cb == null) return;
HashMap responseMap = null;
Response kickFlipResponse = response.parseAs(responseClass);
if (VERBOSE)
Log.i(TAG, String.format("RESPONSE: %s body: %s", shortenUrlString(response.getRequest().getUrl().toString()), new GsonBuilder().setPrettyPrinting().create().toJson(kickFlipResponse)));
// if (Stream.class.isAssignableFrom(responseClass)) {
// if( ((String) responseMap.get("stream_type")).compareTo("HLS") == 0){
// kickFlipResponse = response.parseAs(HlsStream.class);
// } else if( ((String) responseMap.get("stream_type")).compareTo("RTMP") == 0){
// // TODO:
// }
// } else if(User.class.isAssignableFrom(responseClass)){
// kickFlipResponse = response.parseAs(User.class);
// }
if (kickFlipResponse == null) {
postExceptionToCallback(cb, UNKNOWN_ERROR_CODE);
} else if (!kickFlipResponse.isSuccessful()) {
postExceptionToCallback(cb, UNKNOWN_ERROR_CODE);
} else {
postResponseToCallback(cb, kickFlipResponse);
}
} | java | private void handleKickflipResponse(HttpResponse response, Class<? extends Response> responseClass, KickflipCallback cb) throws IOException {
if (cb == null) return;
HashMap responseMap = null;
Response kickFlipResponse = response.parseAs(responseClass);
if (VERBOSE)
Log.i(TAG, String.format("RESPONSE: %s body: %s", shortenUrlString(response.getRequest().getUrl().toString()), new GsonBuilder().setPrettyPrinting().create().toJson(kickFlipResponse)));
// if (Stream.class.isAssignableFrom(responseClass)) {
// if( ((String) responseMap.get("stream_type")).compareTo("HLS") == 0){
// kickFlipResponse = response.parseAs(HlsStream.class);
// } else if( ((String) responseMap.get("stream_type")).compareTo("RTMP") == 0){
// // TODO:
// }
// } else if(User.class.isAssignableFrom(responseClass)){
// kickFlipResponse = response.parseAs(User.class);
// }
if (kickFlipResponse == null) {
postExceptionToCallback(cb, UNKNOWN_ERROR_CODE);
} else if (!kickFlipResponse.isSuccessful()) {
postExceptionToCallback(cb, UNKNOWN_ERROR_CODE);
} else {
postResponseToCallback(cb, kickFlipResponse);
}
} | [
"private",
"void",
"handleKickflipResponse",
"(",
"HttpResponse",
"response",
",",
"Class",
"<",
"?",
"extends",
"Response",
">",
"responseClass",
",",
"KickflipCallback",
"cb",
")",
"throws",
"IOException",
"{",
"if",
"(",
"cb",
"==",
"null",
")",
"return",
"... | Parse the HttpResponse as the appropriate Response subclass
@param response
@param responseClass
@param cb
@throws IOException | [
"Parse",
"the",
"HttpResponse",
"as",
"the",
"appropriate",
"Response",
"subclass"
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/api/KickflipApiClient.java#L699-L721 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/FileUtils.java | FileUtils.getRootStorageDirectory | public static File getRootStorageDirectory(Context c, String directory_name){
File result;
// First, try getting access to the sdcard partition
if(Environment.getExternalStorageState().equals(Environment.MEDIA_MOUNTED)){
Log.d(TAG,"Using sdcard");
result = new File(Environment.getExternalStorageDirectory(), directory_name);
} else {
// Else, use the internal storage directory for this application
Log.d(TAG,"Using internal storage");
result = new File(c.getApplicationContext().getFilesDir(), directory_name);
}
if(!result.exists())
result.mkdir();
else if(result.isFile()){
return null;
}
Log.d("getRootStorageDirectory", result.getAbsolutePath());
return result;
} | java | public static File getRootStorageDirectory(Context c, String directory_name){
File result;
// First, try getting access to the sdcard partition
if(Environment.getExternalStorageState().equals(Environment.MEDIA_MOUNTED)){
Log.d(TAG,"Using sdcard");
result = new File(Environment.getExternalStorageDirectory(), directory_name);
} else {
// Else, use the internal storage directory for this application
Log.d(TAG,"Using internal storage");
result = new File(c.getApplicationContext().getFilesDir(), directory_name);
}
if(!result.exists())
result.mkdir();
else if(result.isFile()){
return null;
}
Log.d("getRootStorageDirectory", result.getAbsolutePath());
return result;
} | [
"public",
"static",
"File",
"getRootStorageDirectory",
"(",
"Context",
"c",
",",
"String",
"directory_name",
")",
"{",
"File",
"result",
";",
"// First, try getting access to the sdcard partition",
"if",
"(",
"Environment",
".",
"getExternalStorageState",
"(",
")",
".",... | Returns a Java File initialized to a directory of given name
at the root storage location, with preference to external storage.
If the directory did not exist, it will be created at the conclusion of this call.
If a file with conflicting name exists, this method returns null;
@param c the context to determine the internal storage location, if external is unavailable
@param directory_name the name of the directory desired at the storage location
@return a File pointing to the storage directory, or null if a file with conflicting name
exists | [
"Returns",
"a",
"Java",
"File",
"initialized",
"to",
"a",
"directory",
"of",
"given",
"name",
"at",
"the",
"root",
"storage",
"location",
"with",
"preference",
"to",
"external",
"storage",
".",
"If",
"the",
"directory",
"did",
"not",
"exist",
"it",
"will",
... | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/FileUtils.java#L54-L73 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/FileUtils.java | FileUtils.getStorageDirectory | public static File getStorageDirectory(File parent_directory, String new_child_directory_name){
File result = new File(parent_directory, new_child_directory_name);
if(!result.exists())
if(result.mkdir())
return result;
else{
Log.e("getStorageDirectory", "Error creating " + result.getAbsolutePath());
return null;
}
else if(result.isFile()){
return null;
}
Log.d("getStorageDirectory", "directory ready: " + result.getAbsolutePath());
return result;
} | java | public static File getStorageDirectory(File parent_directory, String new_child_directory_name){
File result = new File(parent_directory, new_child_directory_name);
if(!result.exists())
if(result.mkdir())
return result;
else{
Log.e("getStorageDirectory", "Error creating " + result.getAbsolutePath());
return null;
}
else if(result.isFile()){
return null;
}
Log.d("getStorageDirectory", "directory ready: " + result.getAbsolutePath());
return result;
} | [
"public",
"static",
"File",
"getStorageDirectory",
"(",
"File",
"parent_directory",
",",
"String",
"new_child_directory_name",
")",
"{",
"File",
"result",
"=",
"new",
"File",
"(",
"parent_directory",
",",
"new_child_directory_name",
")",
";",
"if",
"(",
"!",
"resu... | Returns a Java File initialized to a directory of given name
within the given location.
@param parent_directory a File representing the directory in which the new child will reside
@return a File pointing to the desired directory, or null if a file with conflicting name
exists or if getRootStorageDirectory was not called first | [
"Returns",
"a",
"Java",
"File",
"initialized",
"to",
"a",
"directory",
"of",
"given",
"name",
"within",
"the",
"given",
"location",
"."
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/FileUtils.java#L83-L99 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/FileUtils.java | FileUtils.createTempFile | public static File createTempFile(Context c, File root, String filename, String extension){
File output = null;
try {
if(filename != null){
if(!extension.contains("."))
extension = "." + extension;
output = new File(root, filename + extension);
output.createNewFile();
//output = File.createTempFile(filename, extension, root);
Log.i(TAG, "Created temp file: " + output.getAbsolutePath());
}
return output;
} catch (IOException e) {
e.printStackTrace();
return null;
}
} | java | public static File createTempFile(Context c, File root, String filename, String extension){
File output = null;
try {
if(filename != null){
if(!extension.contains("."))
extension = "." + extension;
output = new File(root, filename + extension);
output.createNewFile();
//output = File.createTempFile(filename, extension, root);
Log.i(TAG, "Created temp file: " + output.getAbsolutePath());
}
return output;
} catch (IOException e) {
e.printStackTrace();
return null;
}
} | [
"public",
"static",
"File",
"createTempFile",
"(",
"Context",
"c",
",",
"File",
"root",
",",
"String",
"filename",
",",
"String",
"extension",
")",
"{",
"File",
"output",
"=",
"null",
";",
"try",
"{",
"if",
"(",
"filename",
"!=",
"null",
")",
"{",
"if"... | Returns a TempFile with given root, filename, and extension.
The resulting TempFile is safe for use with Android's MediaRecorder
@param c
@param root
@param filename
@param extension
@return | [
"Returns",
"a",
"TempFile",
"with",
"given",
"root",
"filename",
"and",
"extension",
".",
"The",
"resulting",
"TempFile",
"is",
"safe",
"for",
"use",
"with",
"Android",
"s",
"MediaRecorder"
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/FileUtils.java#L110-L126 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/FileUtils.java | FileUtils.tail2 | public static String tail2( File file, int lines) {
lines++; // Read # lines inclusive
java.io.RandomAccessFile fileHandler = null;
try {
fileHandler =
new java.io.RandomAccessFile( file, "r" );
long fileLength = fileHandler.length() - 1;
StringBuilder sb = new StringBuilder();
int line = 0;
for(long filePointer = fileLength; filePointer != -1; filePointer--){
fileHandler.seek( filePointer );
int readByte = fileHandler.readByte();
if( readByte == 0xA ) {
line = line + 1;
if (line == lines) {
if (filePointer == fileLength - 1) {
continue;
} else {
break;
}
}
}
sb.append( ( char ) readByte );
}
String lastLine = sb.reverse().toString();
return lastLine;
} catch( java.io.FileNotFoundException e ) {
e.printStackTrace();
return null;
} catch( java.io.IOException e ) {
e.printStackTrace();
return null;
}
finally {
if (fileHandler != null )
try {
fileHandler.close();
} catch (IOException e) {
/* ignore */
}
}
} | java | public static String tail2( File file, int lines) {
lines++; // Read # lines inclusive
java.io.RandomAccessFile fileHandler = null;
try {
fileHandler =
new java.io.RandomAccessFile( file, "r" );
long fileLength = fileHandler.length() - 1;
StringBuilder sb = new StringBuilder();
int line = 0;
for(long filePointer = fileLength; filePointer != -1; filePointer--){
fileHandler.seek( filePointer );
int readByte = fileHandler.readByte();
if( readByte == 0xA ) {
line = line + 1;
if (line == lines) {
if (filePointer == fileLength - 1) {
continue;
} else {
break;
}
}
}
sb.append( ( char ) readByte );
}
String lastLine = sb.reverse().toString();
return lastLine;
} catch( java.io.FileNotFoundException e ) {
e.printStackTrace();
return null;
} catch( java.io.IOException e ) {
e.printStackTrace();
return null;
}
finally {
if (fileHandler != null )
try {
fileHandler.close();
} catch (IOException e) {
/* ignore */
}
}
} | [
"public",
"static",
"String",
"tail2",
"(",
"File",
"file",
",",
"int",
"lines",
")",
"{",
"lines",
"++",
";",
"// Read # lines inclusive",
"java",
".",
"io",
".",
"RandomAccessFile",
"fileHandler",
"=",
"null",
";",
"try",
"{",
"fileHandler",
"=",
"new",
... | Read the last few lines of a file
@param file the source file
@param lines the number of lines to read
@return the String result | [
"Read",
"the",
"last",
"few",
"lines",
"of",
"a",
"file"
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/FileUtils.java#L182-L226 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/FileUtils.java | FileUtils.deleteDirectory | public static void deleteDirectory(File fileOrDirectory) {
if (fileOrDirectory.isDirectory())
for (File child : fileOrDirectory.listFiles())
deleteDirectory(child);
fileOrDirectory.delete();
} | java | public static void deleteDirectory(File fileOrDirectory) {
if (fileOrDirectory.isDirectory())
for (File child : fileOrDirectory.listFiles())
deleteDirectory(child);
fileOrDirectory.delete();
} | [
"public",
"static",
"void",
"deleteDirectory",
"(",
"File",
"fileOrDirectory",
")",
"{",
"if",
"(",
"fileOrDirectory",
".",
"isDirectory",
"(",
")",
")",
"for",
"(",
"File",
"child",
":",
"fileOrDirectory",
".",
"listFiles",
"(",
")",
")",
"deleteDirectory",
... | Delete a directory and all its contents | [
"Delete",
"a",
"directory",
"and",
"all",
"its",
"contents"
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/FileUtils.java#L231-L237 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/av/Muxer.java | Muxer.getNextRelativePts | protected long getNextRelativePts(long absPts, int trackIndex) {
if (mFirstPts == 0) {
mFirstPts = absPts;
return 0;
}
return getSafePts(absPts - mFirstPts, trackIndex);
} | java | protected long getNextRelativePts(long absPts, int trackIndex) {
if (mFirstPts == 0) {
mFirstPts = absPts;
return 0;
}
return getSafePts(absPts - mFirstPts, trackIndex);
} | [
"protected",
"long",
"getNextRelativePts",
"(",
"long",
"absPts",
",",
"int",
"trackIndex",
")",
"{",
"if",
"(",
"mFirstPts",
"==",
"0",
")",
"{",
"mFirstPts",
"=",
"absPts",
";",
"return",
"0",
";",
"}",
"return",
"getSafePts",
"(",
"absPts",
"-",
"mFir... | Return a relative pts given an absolute pts and trackIndex.
This method advances the state of the Muxer, and must only
be called once per call to {@link #writeSampleData(android.media.MediaCodec, int, int, java.nio.ByteBuffer, android.media.MediaCodec.BufferInfo)}. | [
"Return",
"a",
"relative",
"pts",
"given",
"an",
"absolute",
"pts",
"and",
"trackIndex",
"."
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/av/Muxer.java#L164-L170 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/av/Muxer.java | Muxer.getSafePts | private long getSafePts(long pts, int trackIndex) {
if (mLastPts[trackIndex] >= pts) {
// Enforce a non-zero minimum spacing
// between pts
mLastPts[trackIndex] += 9643;
return mLastPts[trackIndex];
}
mLastPts[trackIndex] = pts;
return pts;
} | java | private long getSafePts(long pts, int trackIndex) {
if (mLastPts[trackIndex] >= pts) {
// Enforce a non-zero minimum spacing
// between pts
mLastPts[trackIndex] += 9643;
return mLastPts[trackIndex];
}
mLastPts[trackIndex] = pts;
return pts;
} | [
"private",
"long",
"getSafePts",
"(",
"long",
"pts",
",",
"int",
"trackIndex",
")",
"{",
"if",
"(",
"mLastPts",
"[",
"trackIndex",
"]",
">=",
"pts",
")",
"{",
"// Enforce a non-zero minimum spacing",
"// between pts",
"mLastPts",
"[",
"trackIndex",
"]",
"+=",
... | Sometimes packets with non-increasing pts are dequeued from the MediaCodec output buffer.
This method ensures that a crash won't occur due to non monotonically increasing packet timestamp. | [
"Sometimes",
"packets",
"with",
"non",
"-",
"increasing",
"pts",
"are",
"dequeued",
"from",
"the",
"MediaCodec",
"output",
"buffer",
".",
"This",
"method",
"ensures",
"that",
"a",
"crash",
"won",
"t",
"occur",
"due",
"to",
"non",
"monotonically",
"increasing",... | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/av/Muxer.java#L176-L185 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/av/Filters.java | Filters.updateFilter | public static void updateFilter(FullFrameRect rect, int newFilter) {
Texture2dProgram.ProgramType programType;
float[] kernel = null;
float colorAdj = 0.0f;
if (VERBOSE) Log.d(TAG, "Updating filter to " + newFilter);
switch (newFilter) {
case FILTER_NONE:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT;
break;
case FILTER_BLACK_WHITE:
// (In a previous version the TEXTURE_EXT_BW variant was enabled by a flag called
// ROSE_COLORED_GLASSES, because the shader set the red channel to the B&W color
// and green/blue to zero.)
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_BW;
break;
case FILTER_NIGHT:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_NIGHT;
break;
case FILTER_CHROMA_KEY:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_CHROMA_KEY;
break;
case FILTER_SQUEEZE:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_SQUEEZE;
break;
case FILTER_TWIRL:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_TWIRL;
break;
case FILTER_TUNNEL:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_TUNNEL;
break;
case FILTER_BULGE:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_BULGE;
break;
case FILTER_DENT:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_DENT;
break;
case FILTER_FISHEYE:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_FISHEYE;
break;
case FILTER_STRETCH:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_STRETCH;
break;
case FILTER_MIRROR:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_MIRROR;
break;
case FILTER_BLUR:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_FILT;
kernel = new float[] {
1f/16f, 2f/16f, 1f/16f,
2f/16f, 4f/16f, 2f/16f,
1f/16f, 2f/16f, 1f/16f };
break;
case FILTER_SHARPEN:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_FILT;
kernel = new float[] {
0f, -1f, 0f,
-1f, 5f, -1f,
0f, -1f, 0f };
break;
case FILTER_EDGE_DETECT:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_FILT;
kernel = new float[] {
-1f, -1f, -1f,
-1f, 8f, -1f,
-1f, -1f, -1f };
break;
case FILTER_EMBOSS:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_FILT;
kernel = new float[] {
2f, 0f, 0f,
0f, -1f, 0f,
0f, 0f, -1f };
colorAdj = 0.5f;
break;
default:
throw new RuntimeException("Unknown filter mode " + newFilter);
}
// Do we need a whole new program? (We want to avoid doing this if we don't have
// too -- compiling a program could be expensive.)
if (programType != rect.getProgram().getProgramType()) {
rect.changeProgram(new Texture2dProgram(programType));
}
// Update the filter kernel (if any).
if (kernel != null) {
rect.getProgram().setKernel(kernel, colorAdj);
}
} | java | public static void updateFilter(FullFrameRect rect, int newFilter) {
Texture2dProgram.ProgramType programType;
float[] kernel = null;
float colorAdj = 0.0f;
if (VERBOSE) Log.d(TAG, "Updating filter to " + newFilter);
switch (newFilter) {
case FILTER_NONE:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT;
break;
case FILTER_BLACK_WHITE:
// (In a previous version the TEXTURE_EXT_BW variant was enabled by a flag called
// ROSE_COLORED_GLASSES, because the shader set the red channel to the B&W color
// and green/blue to zero.)
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_BW;
break;
case FILTER_NIGHT:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_NIGHT;
break;
case FILTER_CHROMA_KEY:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_CHROMA_KEY;
break;
case FILTER_SQUEEZE:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_SQUEEZE;
break;
case FILTER_TWIRL:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_TWIRL;
break;
case FILTER_TUNNEL:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_TUNNEL;
break;
case FILTER_BULGE:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_BULGE;
break;
case FILTER_DENT:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_DENT;
break;
case FILTER_FISHEYE:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_FISHEYE;
break;
case FILTER_STRETCH:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_STRETCH;
break;
case FILTER_MIRROR:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_MIRROR;
break;
case FILTER_BLUR:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_FILT;
kernel = new float[] {
1f/16f, 2f/16f, 1f/16f,
2f/16f, 4f/16f, 2f/16f,
1f/16f, 2f/16f, 1f/16f };
break;
case FILTER_SHARPEN:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_FILT;
kernel = new float[] {
0f, -1f, 0f,
-1f, 5f, -1f,
0f, -1f, 0f };
break;
case FILTER_EDGE_DETECT:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_FILT;
kernel = new float[] {
-1f, -1f, -1f,
-1f, 8f, -1f,
-1f, -1f, -1f };
break;
case FILTER_EMBOSS:
programType = Texture2dProgram.ProgramType.TEXTURE_EXT_FILT;
kernel = new float[] {
2f, 0f, 0f,
0f, -1f, 0f,
0f, 0f, -1f };
colorAdj = 0.5f;
break;
default:
throw new RuntimeException("Unknown filter mode " + newFilter);
}
// Do we need a whole new program? (We want to avoid doing this if we don't have
// too -- compiling a program could be expensive.)
if (programType != rect.getProgram().getProgramType()) {
rect.changeProgram(new Texture2dProgram(programType));
}
// Update the filter kernel (if any).
if (kernel != null) {
rect.getProgram().setKernel(kernel, colorAdj);
}
} | [
"public",
"static",
"void",
"updateFilter",
"(",
"FullFrameRect",
"rect",
",",
"int",
"newFilter",
")",
"{",
"Texture2dProgram",
".",
"ProgramType",
"programType",
";",
"float",
"[",
"]",
"kernel",
"=",
"null",
";",
"float",
"colorAdj",
"=",
"0.0f",
";",
"if... | Updates the filter on the provided FullFrameRect
@return the int code of the new filter | [
"Updates",
"the",
"filter",
"on",
"the",
"provided",
"FullFrameRect"
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/av/Filters.java#L47-L136 | train |
Kickflip/kickflip-android-sdk | sdk/src/main/java/io/kickflip/sdk/av/SizeableFrameRect.java | SizeableFrameRect.drawFrame | public void drawFrame(int textureId, float[] texMatrix) {
// Use the identity matrix for MVP so our 2x2 FULL_RECTANGLE covers the viewport.
mProgram.draw(IDENTITY_MATRIX, mRectDrawable.getVertexArray(), 0,
mRectDrawable.getVertexCount(), mRectDrawable.getCoordsPerVertex(),
mRectDrawable.getVertexStride(),
texMatrix, TEX_COORDS_BUF, textureId, TEX_COORDS_STRIDE);
} | java | public void drawFrame(int textureId, float[] texMatrix) {
// Use the identity matrix for MVP so our 2x2 FULL_RECTANGLE covers the viewport.
mProgram.draw(IDENTITY_MATRIX, mRectDrawable.getVertexArray(), 0,
mRectDrawable.getVertexCount(), mRectDrawable.getCoordsPerVertex(),
mRectDrawable.getVertexStride(),
texMatrix, TEX_COORDS_BUF, textureId, TEX_COORDS_STRIDE);
} | [
"public",
"void",
"drawFrame",
"(",
"int",
"textureId",
",",
"float",
"[",
"]",
"texMatrix",
")",
"{",
"// Use the identity matrix for MVP so our 2x2 FULL_RECTANGLE covers the viewport.",
"mProgram",
".",
"draw",
"(",
"IDENTITY_MATRIX",
",",
"mRectDrawable",
".",
"getVert... | Draws a rectangle in an area defined by TEX_COORDS | [
"Draws",
"a",
"rectangle",
"in",
"an",
"area",
"defined",
"by",
"TEX_COORDS"
] | af3aae5f1128d7376e67aefe11a3a1a3844be734 | https://github.com/Kickflip/kickflip-android-sdk/blob/af3aae5f1128d7376e67aefe11a3a1a3844be734/sdk/src/main/java/io/kickflip/sdk/av/SizeableFrameRect.java#L97-L103 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgStatement.java | PgStatement.isOneShotQuery | protected boolean isOneShotQuery(CachedQuery cachedQuery) {
if (cachedQuery == null) {
return true;
}
cachedQuery.increaseExecuteCount();
if ((mPrepareThreshold == 0 || cachedQuery.getExecuteCount() < mPrepareThreshold)
&& !getForceBinaryTransfer()) {
return true;
}
return false;
} | java | protected boolean isOneShotQuery(CachedQuery cachedQuery) {
if (cachedQuery == null) {
return true;
}
cachedQuery.increaseExecuteCount();
if ((mPrepareThreshold == 0 || cachedQuery.getExecuteCount() < mPrepareThreshold)
&& !getForceBinaryTransfer()) {
return true;
}
return false;
} | [
"protected",
"boolean",
"isOneShotQuery",
"(",
"CachedQuery",
"cachedQuery",
")",
"{",
"if",
"(",
"cachedQuery",
"==",
"null",
")",
"{",
"return",
"true",
";",
"}",
"cachedQuery",
".",
"increaseExecuteCount",
"(",
")",
";",
"if",
"(",
"(",
"mPrepareThreshold",... | Returns true if query is unlikely to be reused.
@param cachedQuery to check (null if current query)
@return true if query is unlikely to be reused | [
"Returns",
"true",
"if",
"query",
"is",
"unlikely",
"to",
"be",
"reused",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgStatement.java#L355-L365 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgStatement.java | PgStatement.setQueryTimeoutMs | public void setQueryTimeoutMs(long millis) throws SQLException {
checkClosed();
if (millis < 0) {
throw new PSQLException(GT.tr("Query timeout must be a value greater than or equals to 0."),
PSQLState.INVALID_PARAMETER_VALUE);
}
timeout = millis;
} | java | public void setQueryTimeoutMs(long millis) throws SQLException {
checkClosed();
if (millis < 0) {
throw new PSQLException(GT.tr("Query timeout must be a value greater than or equals to 0."),
PSQLState.INVALID_PARAMETER_VALUE);
}
timeout = millis;
} | [
"public",
"void",
"setQueryTimeoutMs",
"(",
"long",
"millis",
")",
"throws",
"SQLException",
"{",
"checkClosed",
"(",
")",
";",
"if",
"(",
"millis",
"<",
"0",
")",
"{",
"throw",
"new",
"PSQLException",
"(",
"GT",
".",
"tr",
"(",
"\"Query timeout must be a va... | Sets the queryTimeout limit.
@param millis - the new query timeout limit in milliseconds
@throws SQLException if a database access error occurs | [
"Sets",
"the",
"queryTimeout",
"limit",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgStatement.java#L556-L564 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/ds/PGPooledConnection.java | PGPooledConnection.close | @Override
public void close() throws SQLException {
if (last != null) {
last.close();
if (!con.isClosed()) {
if (!con.getAutoCommit()) {
try {
con.rollback();
} catch (SQLException ignored) {
}
}
}
}
try {
con.close();
} finally {
con = null;
}
} | java | @Override
public void close() throws SQLException {
if (last != null) {
last.close();
if (!con.isClosed()) {
if (!con.getAutoCommit()) {
try {
con.rollback();
} catch (SQLException ignored) {
}
}
}
}
try {
con.close();
} finally {
con = null;
}
} | [
"@",
"Override",
"public",
"void",
"close",
"(",
")",
"throws",
"SQLException",
"{",
"if",
"(",
"last",
"!=",
"null",
")",
"{",
"last",
".",
"close",
"(",
")",
";",
"if",
"(",
"!",
"con",
".",
"isClosed",
"(",
")",
")",
"{",
"if",
"(",
"!",
"co... | Closes the physical database connection represented by this PooledConnection. If any client has
a connection based on this PooledConnection, it is forcibly closed as well. | [
"Closes",
"the",
"physical",
"database",
"connection",
"represented",
"by",
"this",
"PooledConnection",
".",
"If",
"any",
"client",
"has",
"a",
"connection",
"based",
"on",
"this",
"PooledConnection",
"it",
"is",
"forcibly",
"closed",
"as",
"well",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/ds/PGPooledConnection.java#L82-L100 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/ds/PGPooledConnection.java | PGPooledConnection.getConnection | @Override
public Connection getConnection() throws SQLException {
if (con == null) {
// Before throwing the exception, let's notify the registered listeners about the error
PSQLException sqlException =
new PSQLException(GT.tr("This PooledConnection has already been closed."),
PSQLState.CONNECTION_DOES_NOT_EXIST);
fireConnectionFatalError(sqlException);
throw sqlException;
}
// If any error occurs while opening a new connection, the listeners
// have to be notified. This gives a chance to connection pools to
// eliminate bad pooled connections.
try {
// Only one connection can be open at a time from this PooledConnection. See JDBC 2.0 Optional
// Package spec section 6.2.3
if (last != null) {
last.close();
if (!con.getAutoCommit()) {
try {
con.rollback();
} catch (SQLException ignored) {
}
}
con.clearWarnings();
}
/*
* In XA-mode, autocommit is handled in PGXAConnection, because it depends on whether an
* XA-transaction is open or not
*/
if (!isXA) {
con.setAutoCommit(autoCommit);
}
} catch (SQLException sqlException) {
fireConnectionFatalError(sqlException);
throw (SQLException) sqlException.fillInStackTrace();
}
ConnectionHandler handler = new ConnectionHandler(con);
last = handler;
Connection proxyCon = (Connection) Proxy.newProxyInstance(getClass().getClassLoader(),
new Class[]{Connection.class, PGConnection.class}, handler);
last.setProxy(proxyCon);
return proxyCon;
} | java | @Override
public Connection getConnection() throws SQLException {
if (con == null) {
// Before throwing the exception, let's notify the registered listeners about the error
PSQLException sqlException =
new PSQLException(GT.tr("This PooledConnection has already been closed."),
PSQLState.CONNECTION_DOES_NOT_EXIST);
fireConnectionFatalError(sqlException);
throw sqlException;
}
// If any error occurs while opening a new connection, the listeners
// have to be notified. This gives a chance to connection pools to
// eliminate bad pooled connections.
try {
// Only one connection can be open at a time from this PooledConnection. See JDBC 2.0 Optional
// Package spec section 6.2.3
if (last != null) {
last.close();
if (!con.getAutoCommit()) {
try {
con.rollback();
} catch (SQLException ignored) {
}
}
con.clearWarnings();
}
/*
* In XA-mode, autocommit is handled in PGXAConnection, because it depends on whether an
* XA-transaction is open or not
*/
if (!isXA) {
con.setAutoCommit(autoCommit);
}
} catch (SQLException sqlException) {
fireConnectionFatalError(sqlException);
throw (SQLException) sqlException.fillInStackTrace();
}
ConnectionHandler handler = new ConnectionHandler(con);
last = handler;
Connection proxyCon = (Connection) Proxy.newProxyInstance(getClass().getClassLoader(),
new Class[]{Connection.class, PGConnection.class}, handler);
last.setProxy(proxyCon);
return proxyCon;
} | [
"@",
"Override",
"public",
"Connection",
"getConnection",
"(",
")",
"throws",
"SQLException",
"{",
"if",
"(",
"con",
"==",
"null",
")",
"{",
"// Before throwing the exception, let's notify the registered listeners about the error",
"PSQLException",
"sqlException",
"=",
"new... | Gets a handle for a client to use. This is a wrapper around the physical connection, so the
client can call close and it will just return the connection to the pool without really closing
the pgysical connection.
<p>
According to the JDBC 2.0 Optional Package spec (6.2.3), only one client may have an active
handle to the connection at a time, so if there is a previous handle active when this is
called, the previous one is forcibly closed and its work rolled back.
</p> | [
"Gets",
"a",
"handle",
"for",
"a",
"client",
"to",
"use",
".",
"This",
"is",
"a",
"wrapper",
"around",
"the",
"physical",
"connection",
"so",
"the",
"client",
"can",
"call",
"close",
"and",
"it",
"will",
"just",
"return",
"the",
"connection",
"to",
"the"... | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/ds/PGPooledConnection.java#L113-L157 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/ds/PGPooledConnection.java | PGPooledConnection.fireConnectionClosed | void fireConnectionClosed() {
ConnectionEvent evt = null;
// Copy the listener list so the listener can remove itself during this method call
ConnectionEventListener[] local =
listeners.toArray(new ConnectionEventListener[0]);
for (ConnectionEventListener listener : local) {
if (evt == null) {
evt = createConnectionEvent(null);
}
listener.connectionClosed(evt);
}
} | java | void fireConnectionClosed() {
ConnectionEvent evt = null;
// Copy the listener list so the listener can remove itself during this method call
ConnectionEventListener[] local =
listeners.toArray(new ConnectionEventListener[0]);
for (ConnectionEventListener listener : local) {
if (evt == null) {
evt = createConnectionEvent(null);
}
listener.connectionClosed(evt);
}
} | [
"void",
"fireConnectionClosed",
"(",
")",
"{",
"ConnectionEvent",
"evt",
"=",
"null",
";",
"// Copy the listener list so the listener can remove itself during this method call",
"ConnectionEventListener",
"[",
"]",
"local",
"=",
"listeners",
".",
"toArray",
"(",
"new",
"Con... | Used to fire a connection closed event to all listeners. | [
"Used",
"to",
"fire",
"a",
"connection",
"closed",
"event",
"to",
"all",
"listeners",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/ds/PGPooledConnection.java#L162-L173 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/largeobject/BlobInputStream.java | BlobInputStream.read | public int read() throws java.io.IOException {
checkClosed();
try {
if (limit > 0 && apos >= limit) {
return -1;
}
if (buffer == null || bpos >= buffer.length) {
buffer = lo.read(bsize);
bpos = 0;
}
// Handle EOF
if (bpos >= buffer.length) {
return -1;
}
int ret = (buffer[bpos] & 0x7F);
if ((buffer[bpos] & 0x80) == 0x80) {
ret |= 0x80;
}
bpos++;
apos++;
return ret;
} catch (SQLException se) {
throw new IOException(se.toString());
}
} | java | public int read() throws java.io.IOException {
checkClosed();
try {
if (limit > 0 && apos >= limit) {
return -1;
}
if (buffer == null || bpos >= buffer.length) {
buffer = lo.read(bsize);
bpos = 0;
}
// Handle EOF
if (bpos >= buffer.length) {
return -1;
}
int ret = (buffer[bpos] & 0x7F);
if ((buffer[bpos] & 0x80) == 0x80) {
ret |= 0x80;
}
bpos++;
apos++;
return ret;
} catch (SQLException se) {
throw new IOException(se.toString());
}
} | [
"public",
"int",
"read",
"(",
")",
"throws",
"java",
".",
"io",
".",
"IOException",
"{",
"checkClosed",
"(",
")",
";",
"try",
"{",
"if",
"(",
"limit",
">",
"0",
"&&",
"apos",
">=",
"limit",
")",
"{",
"return",
"-",
"1",
";",
"}",
"if",
"(",
"bu... | The minimum required to implement input stream. | [
"The",
"minimum",
"required",
"to",
"implement",
"input",
"stream",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/largeobject/BlobInputStream.java#L84-L112 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/util/LruCache.java | LruCache.borrow | public synchronized Value borrow(Key key) throws SQLException {
Value value = cache.remove(key);
if (value == null) {
return createAction.create(key);
}
currentSize -= value.getSize();
return value;
} | java | public synchronized Value borrow(Key key) throws SQLException {
Value value = cache.remove(key);
if (value == null) {
return createAction.create(key);
}
currentSize -= value.getSize();
return value;
} | [
"public",
"synchronized",
"Value",
"borrow",
"(",
"Key",
"key",
")",
"throws",
"SQLException",
"{",
"Value",
"value",
"=",
"cache",
".",
"remove",
"(",
"key",
")",
";",
"if",
"(",
"value",
"==",
"null",
")",
"{",
"return",
"createAction",
".",
"create",
... | Borrows an entry from the cache.
@param key cache key
@return entry from cache or newly created entry if cache does not contain given key.
@throws SQLException if entry creation fails | [
"Borrows",
"an",
"entry",
"from",
"the",
"cache",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/util/LruCache.java#L112-L119 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/util/LruCache.java | LruCache.put | public synchronized void put(Key key, Value value) {
long valueSize = value.getSize();
if (maxSizeBytes == 0 || maxSizeEntries == 0 || valueSize * 2 > maxSizeBytes) {
// Just destroy the value if cache is disabled or if entry would consume more than a half of
// the cache
evictValue(value);
return;
}
currentSize += valueSize;
Value prev = cache.put(key, value);
if (prev == null) {
return;
}
// This should be a rare case
currentSize -= prev.getSize();
if (prev != value) {
evictValue(prev);
}
} | java | public synchronized void put(Key key, Value value) {
long valueSize = value.getSize();
if (maxSizeBytes == 0 || maxSizeEntries == 0 || valueSize * 2 > maxSizeBytes) {
// Just destroy the value if cache is disabled or if entry would consume more than a half of
// the cache
evictValue(value);
return;
}
currentSize += valueSize;
Value prev = cache.put(key, value);
if (prev == null) {
return;
}
// This should be a rare case
currentSize -= prev.getSize();
if (prev != value) {
evictValue(prev);
}
} | [
"public",
"synchronized",
"void",
"put",
"(",
"Key",
"key",
",",
"Value",
"value",
")",
"{",
"long",
"valueSize",
"=",
"value",
".",
"getSize",
"(",
")",
";",
"if",
"(",
"maxSizeBytes",
"==",
"0",
"||",
"maxSizeEntries",
"==",
"0",
"||",
"valueSize",
"... | Returns given value to the cache.
@param key key
@param value value | [
"Returns",
"given",
"value",
"to",
"the",
"cache",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/util/LruCache.java#L127-L145 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/util/LruCache.java | LruCache.putAll | public synchronized void putAll(Map<Key, Value> m) {
for (Map.Entry<Key, Value> entry : m.entrySet()) {
this.put(entry.getKey(), entry.getValue());
}
} | java | public synchronized void putAll(Map<Key, Value> m) {
for (Map.Entry<Key, Value> entry : m.entrySet()) {
this.put(entry.getKey(), entry.getValue());
}
} | [
"public",
"synchronized",
"void",
"putAll",
"(",
"Map",
"<",
"Key",
",",
"Value",
">",
"m",
")",
"{",
"for",
"(",
"Map",
".",
"Entry",
"<",
"Key",
",",
"Value",
">",
"entry",
":",
"m",
".",
"entrySet",
"(",
")",
")",
"{",
"this",
".",
"put",
"(... | Puts all the values from the given map into the cache.
@param m The map containing entries to put into the cache | [
"Puts",
"all",
"the",
"values",
"from",
"the",
"given",
"map",
"into",
"the",
"cache",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/util/LruCache.java#L152-L156 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java | QueryExecutorImpl.lock | private void lock(Object obtainer) throws PSQLException {
if (lockedFor == obtainer) {
throw new PSQLException(GT.tr("Tried to obtain lock while already holding it"),
PSQLState.OBJECT_NOT_IN_STATE);
}
waitOnLock();
lockedFor = obtainer;
} | java | private void lock(Object obtainer) throws PSQLException {
if (lockedFor == obtainer) {
throw new PSQLException(GT.tr("Tried to obtain lock while already holding it"),
PSQLState.OBJECT_NOT_IN_STATE);
}
waitOnLock();
lockedFor = obtainer;
} | [
"private",
"void",
"lock",
"(",
"Object",
"obtainer",
")",
"throws",
"PSQLException",
"{",
"if",
"(",
"lockedFor",
"==",
"obtainer",
")",
"{",
"throw",
"new",
"PSQLException",
"(",
"GT",
".",
"tr",
"(",
"\"Tried to obtain lock while already holding it\"",
")",
"... | Obtain lock over this connection for given object, blocking to wait if necessary.
@param obtainer object that gets the lock. Normally current thread.
@throws PSQLException when already holding the lock or getting interrupted. | [
"Obtain",
"lock",
"over",
"this",
"connection",
"for",
"given",
"object",
"blocking",
"to",
"wait",
"if",
"necessary",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java#L162-L170 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java | QueryExecutorImpl.unlock | private void unlock(Object holder) throws PSQLException {
if (lockedFor != holder) {
throw new PSQLException(GT.tr("Tried to break lock on database connection"),
PSQLState.OBJECT_NOT_IN_STATE);
}
lockedFor = null;
this.notify();
} | java | private void unlock(Object holder) throws PSQLException {
if (lockedFor != holder) {
throw new PSQLException(GT.tr("Tried to break lock on database connection"),
PSQLState.OBJECT_NOT_IN_STATE);
}
lockedFor = null;
this.notify();
} | [
"private",
"void",
"unlock",
"(",
"Object",
"holder",
")",
"throws",
"PSQLException",
"{",
"if",
"(",
"lockedFor",
"!=",
"holder",
")",
"{",
"throw",
"new",
"PSQLException",
"(",
"GT",
".",
"tr",
"(",
"\"Tried to break lock on database connection\"",
")",
",",
... | Release lock on this connection presumably held by given object.
@param holder object that holds the lock. Normally current thread.
@throws PSQLException when this thread does not hold the lock | [
"Release",
"lock",
"on",
"this",
"connection",
"presumably",
"held",
"by",
"given",
"object",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java#L178-L185 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java | QueryExecutorImpl.waitOnLock | private void waitOnLock() throws PSQLException {
while (lockedFor != null) {
try {
this.wait();
} catch (InterruptedException ie) {
Thread.currentThread().interrupt();
throw new PSQLException(
GT.tr("Interrupted while waiting to obtain lock on database connection"),
PSQLState.OBJECT_NOT_IN_STATE, ie);
}
}
} | java | private void waitOnLock() throws PSQLException {
while (lockedFor != null) {
try {
this.wait();
} catch (InterruptedException ie) {
Thread.currentThread().interrupt();
throw new PSQLException(
GT.tr("Interrupted while waiting to obtain lock on database connection"),
PSQLState.OBJECT_NOT_IN_STATE, ie);
}
}
} | [
"private",
"void",
"waitOnLock",
"(",
")",
"throws",
"PSQLException",
"{",
"while",
"(",
"lockedFor",
"!=",
"null",
")",
"{",
"try",
"{",
"this",
".",
"wait",
"(",
")",
";",
"}",
"catch",
"(",
"InterruptedException",
"ie",
")",
"{",
"Thread",
".",
"cur... | Wait until our lock is released. Execution of a single synchronized method can then continue
without further ado. Must be called at beginning of each synchronized public method. | [
"Wait",
"until",
"our",
"lock",
"is",
"released",
".",
"Execution",
"of",
"a",
"single",
"synchronized",
"method",
"can",
"then",
"continue",
"without",
"further",
"ado",
".",
"Must",
"be",
"called",
"at",
"beginning",
"of",
"each",
"synchronized",
"public",
... | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java#L191-L202 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java | QueryExecutorImpl.startCopy | public synchronized CopyOperation startCopy(String sql, boolean suppressBegin)
throws SQLException {
waitOnLock();
if (!suppressBegin) {
doSubprotocolBegin();
}
byte[] buf = Utils.encodeUTF8(sql);
try {
LOGGER.log(Level.FINEST, " FE=> Query(CopyStart)");
pgStream.sendChar('Q');
pgStream.sendInteger4(buf.length + 4 + 1);
pgStream.send(buf);
pgStream.sendChar(0);
pgStream.flush();
return processCopyResults(null, true);
// expect a CopyInResponse or CopyOutResponse to our query above
} catch (IOException ioe) {
throw new PSQLException(GT.tr("Database connection failed when starting copy"),
PSQLState.CONNECTION_FAILURE, ioe);
}
} | java | public synchronized CopyOperation startCopy(String sql, boolean suppressBegin)
throws SQLException {
waitOnLock();
if (!suppressBegin) {
doSubprotocolBegin();
}
byte[] buf = Utils.encodeUTF8(sql);
try {
LOGGER.log(Level.FINEST, " FE=> Query(CopyStart)");
pgStream.sendChar('Q');
pgStream.sendInteger4(buf.length + 4 + 1);
pgStream.send(buf);
pgStream.sendChar(0);
pgStream.flush();
return processCopyResults(null, true);
// expect a CopyInResponse or CopyOutResponse to our query above
} catch (IOException ioe) {
throw new PSQLException(GT.tr("Database connection failed when starting copy"),
PSQLState.CONNECTION_FAILURE, ioe);
}
} | [
"public",
"synchronized",
"CopyOperation",
"startCopy",
"(",
"String",
"sql",
",",
"boolean",
"suppressBegin",
")",
"throws",
"SQLException",
"{",
"waitOnLock",
"(",
")",
";",
"if",
"(",
"!",
"suppressBegin",
")",
"{",
"doSubprotocolBegin",
"(",
")",
";",
"}",... | Sends given query to BE to start, initialize and lock connection for a CopyOperation.
@param sql COPY FROM STDIN / COPY TO STDOUT statement
@return CopyIn or CopyOut operation object
@throws SQLException on failure | [
"Sends",
"given",
"query",
"to",
"BE",
"to",
"start",
"initialize",
"and",
"lock",
"connection",
"for",
"a",
"CopyOperation",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java#L853-L876 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java | QueryExecutorImpl.initCopy | private synchronized void initCopy(CopyOperationImpl op) throws SQLException, IOException {
pgStream.receiveInteger4(); // length not used
int rowFormat = pgStream.receiveChar();
int numFields = pgStream.receiveInteger2();
int[] fieldFormats = new int[numFields];
for (int i = 0; i < numFields; i++) {
fieldFormats[i] = pgStream.receiveInteger2();
}
lock(op);
op.init(this, rowFormat, fieldFormats);
} | java | private synchronized void initCopy(CopyOperationImpl op) throws SQLException, IOException {
pgStream.receiveInteger4(); // length not used
int rowFormat = pgStream.receiveChar();
int numFields = pgStream.receiveInteger2();
int[] fieldFormats = new int[numFields];
for (int i = 0; i < numFields; i++) {
fieldFormats[i] = pgStream.receiveInteger2();
}
lock(op);
op.init(this, rowFormat, fieldFormats);
} | [
"private",
"synchronized",
"void",
"initCopy",
"(",
"CopyOperationImpl",
"op",
")",
"throws",
"SQLException",
",",
"IOException",
"{",
"pgStream",
".",
"receiveInteger4",
"(",
")",
";",
"// length not used",
"int",
"rowFormat",
"=",
"pgStream",
".",
"receiveChar",
... | Locks connection and calls initializer for a new CopyOperation Called via startCopy ->
processCopyResults.
@param op an uninitialized CopyOperation
@throws SQLException on locking failure
@throws IOException on database connection failure | [
"Locks",
"connection",
"and",
"calls",
"initializer",
"for",
"a",
"new",
"CopyOperation",
"Called",
"via",
"startCopy",
"-",
">",
"processCopyResults",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java#L886-L898 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java | QueryExecutorImpl.cancelCopy | public void cancelCopy(CopyOperationImpl op) throws SQLException {
if (!hasLock(op)) {
throw new PSQLException(GT.tr("Tried to cancel an inactive copy operation"),
PSQLState.OBJECT_NOT_IN_STATE);
}
SQLException error = null;
int errors = 0;
try {
if (op instanceof CopyIn) {
synchronized (this) {
LOGGER.log(Level.FINEST, "FE => CopyFail");
final byte[] msg = Utils.encodeUTF8("Copy cancel requested");
pgStream.sendChar('f'); // CopyFail
pgStream.sendInteger4(5 + msg.length);
pgStream.send(msg);
pgStream.sendChar(0);
pgStream.flush();
do {
try {
processCopyResults(op, true); // discard rest of input
} catch (SQLException se) { // expected error response to failing copy
errors++;
if (error != null) {
SQLException e = se;
SQLException next;
while ((next = e.getNextException()) != null) {
e = next;
}
e.setNextException(error);
}
error = se;
}
} while (hasLock(op));
}
} else if (op instanceof CopyOut) {
sendQueryCancel();
}
} catch (IOException ioe) {
throw new PSQLException(GT.tr("Database connection failed when canceling copy operation"),
PSQLState.CONNECTION_FAILURE, ioe);
} finally {
// Need to ensure the lock isn't held anymore, or else
// future operations, rather than failing due to the
// broken connection, will simply hang waiting for this
// lock.
synchronized (this) {
if (hasLock(op)) {
unlock(op);
}
}
}
if (op instanceof CopyIn) {
if (errors < 1) {
throw new PSQLException(GT.tr("Missing expected error response to copy cancel request"),
PSQLState.COMMUNICATION_ERROR);
} else if (errors > 1) {
throw new PSQLException(
GT.tr("Got {0} error responses to single copy cancel request", String.valueOf(errors)),
PSQLState.COMMUNICATION_ERROR, error);
}
}
} | java | public void cancelCopy(CopyOperationImpl op) throws SQLException {
if (!hasLock(op)) {
throw new PSQLException(GT.tr("Tried to cancel an inactive copy operation"),
PSQLState.OBJECT_NOT_IN_STATE);
}
SQLException error = null;
int errors = 0;
try {
if (op instanceof CopyIn) {
synchronized (this) {
LOGGER.log(Level.FINEST, "FE => CopyFail");
final byte[] msg = Utils.encodeUTF8("Copy cancel requested");
pgStream.sendChar('f'); // CopyFail
pgStream.sendInteger4(5 + msg.length);
pgStream.send(msg);
pgStream.sendChar(0);
pgStream.flush();
do {
try {
processCopyResults(op, true); // discard rest of input
} catch (SQLException se) { // expected error response to failing copy
errors++;
if (error != null) {
SQLException e = se;
SQLException next;
while ((next = e.getNextException()) != null) {
e = next;
}
e.setNextException(error);
}
error = se;
}
} while (hasLock(op));
}
} else if (op instanceof CopyOut) {
sendQueryCancel();
}
} catch (IOException ioe) {
throw new PSQLException(GT.tr("Database connection failed when canceling copy operation"),
PSQLState.CONNECTION_FAILURE, ioe);
} finally {
// Need to ensure the lock isn't held anymore, or else
// future operations, rather than failing due to the
// broken connection, will simply hang waiting for this
// lock.
synchronized (this) {
if (hasLock(op)) {
unlock(op);
}
}
}
if (op instanceof CopyIn) {
if (errors < 1) {
throw new PSQLException(GT.tr("Missing expected error response to copy cancel request"),
PSQLState.COMMUNICATION_ERROR);
} else if (errors > 1) {
throw new PSQLException(
GT.tr("Got {0} error responses to single copy cancel request", String.valueOf(errors)),
PSQLState.COMMUNICATION_ERROR, error);
}
}
} | [
"public",
"void",
"cancelCopy",
"(",
"CopyOperationImpl",
"op",
")",
"throws",
"SQLException",
"{",
"if",
"(",
"!",
"hasLock",
"(",
"op",
")",
")",
"{",
"throw",
"new",
"PSQLException",
"(",
"GT",
".",
"tr",
"(",
"\"Tried to cancel an inactive copy operation\"",... | Finishes a copy operation and unlocks connection discarding any exchanged data.
@param op the copy operation presumably currently holding lock on this connection
@throws SQLException on any additional failure | [
"Finishes",
"a",
"copy",
"operation",
"and",
"unlocks",
"connection",
"discarding",
"any",
"exchanged",
"data",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java#L906-L971 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java | QueryExecutorImpl.endCopy | public synchronized long endCopy(CopyOperationImpl op) throws SQLException {
if (!hasLock(op)) {
throw new PSQLException(GT.tr("Tried to end inactive copy"), PSQLState.OBJECT_NOT_IN_STATE);
}
try {
LOGGER.log(Level.FINEST, " FE=> CopyDone");
pgStream.sendChar('c'); // CopyDone
pgStream.sendInteger4(4);
pgStream.flush();
do {
processCopyResults(op, true);
} while (hasLock(op));
return op.getHandledRowCount();
} catch (IOException ioe) {
throw new PSQLException(GT.tr("Database connection failed when ending copy"),
PSQLState.CONNECTION_FAILURE, ioe);
}
} | java | public synchronized long endCopy(CopyOperationImpl op) throws SQLException {
if (!hasLock(op)) {
throw new PSQLException(GT.tr("Tried to end inactive copy"), PSQLState.OBJECT_NOT_IN_STATE);
}
try {
LOGGER.log(Level.FINEST, " FE=> CopyDone");
pgStream.sendChar('c'); // CopyDone
pgStream.sendInteger4(4);
pgStream.flush();
do {
processCopyResults(op, true);
} while (hasLock(op));
return op.getHandledRowCount();
} catch (IOException ioe) {
throw new PSQLException(GT.tr("Database connection failed when ending copy"),
PSQLState.CONNECTION_FAILURE, ioe);
}
} | [
"public",
"synchronized",
"long",
"endCopy",
"(",
"CopyOperationImpl",
"op",
")",
"throws",
"SQLException",
"{",
"if",
"(",
"!",
"hasLock",
"(",
"op",
")",
")",
"{",
"throw",
"new",
"PSQLException",
"(",
"GT",
".",
"tr",
"(",
"\"Tried to end inactive copy\"",
... | Finishes writing to copy and unlocks connection.
@param op the copy operation presumably currently holding lock on this connection
@return number of rows updated for server versions 8.2 or newer
@throws SQLException on failure | [
"Finishes",
"writing",
"to",
"copy",
"and",
"unlocks",
"connection",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java#L980-L1000 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java | QueryExecutorImpl.writeToCopy | public synchronized void writeToCopy(CopyOperationImpl op, byte[] data, int off, int siz)
throws SQLException {
if (!hasLock(op)) {
throw new PSQLException(GT.tr("Tried to write to an inactive copy operation"),
PSQLState.OBJECT_NOT_IN_STATE);
}
LOGGER.log(Level.FINEST, " FE=> CopyData({0})", siz);
try {
pgStream.sendChar('d');
pgStream.sendInteger4(siz + 4);
pgStream.send(data, off, siz);
processCopyResults(op, false); // collect any pending notifications without blocking
} catch (IOException ioe) {
throw new PSQLException(GT.tr("Database connection failed when writing to copy"),
PSQLState.CONNECTION_FAILURE, ioe);
}
} | java | public synchronized void writeToCopy(CopyOperationImpl op, byte[] data, int off, int siz)
throws SQLException {
if (!hasLock(op)) {
throw new PSQLException(GT.tr("Tried to write to an inactive copy operation"),
PSQLState.OBJECT_NOT_IN_STATE);
}
LOGGER.log(Level.FINEST, " FE=> CopyData({0})", siz);
try {
pgStream.sendChar('d');
pgStream.sendInteger4(siz + 4);
pgStream.send(data, off, siz);
processCopyResults(op, false); // collect any pending notifications without blocking
} catch (IOException ioe) {
throw new PSQLException(GT.tr("Database connection failed when writing to copy"),
PSQLState.CONNECTION_FAILURE, ioe);
}
} | [
"public",
"synchronized",
"void",
"writeToCopy",
"(",
"CopyOperationImpl",
"op",
",",
"byte",
"[",
"]",
"data",
",",
"int",
"off",
",",
"int",
"siz",
")",
"throws",
"SQLException",
"{",
"if",
"(",
"!",
"hasLock",
"(",
"op",
")",
")",
"{",
"throw",
"new... | Sends data during a live COPY IN operation. Only unlocks the connection if server suddenly
returns CommandComplete, which should not happen
@param op the CopyIn operation presumably currently holding lock on this connection
@param data bytes to send
@param off index of first byte to send (usually 0)
@param siz number of bytes to send (usually data.length)
@throws SQLException on failure | [
"Sends",
"data",
"during",
"a",
"live",
"COPY",
"IN",
"operation",
".",
"Only",
"unlocks",
"the",
"connection",
"if",
"server",
"suddenly",
"returns",
"CommandComplete",
"which",
"should",
"not",
"happen"
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/v3/QueryExecutorImpl.java#L1012-L1031 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/Utils.java | Utils.toHexString | public static String toHexString(byte[] data) {
StringBuilder sb = new StringBuilder(data.length * 2);
for (byte element : data) {
sb.append(Integer.toHexString((element >> 4) & 15));
sb.append(Integer.toHexString(element & 15));
}
return sb.toString();
} | java | public static String toHexString(byte[] data) {
StringBuilder sb = new StringBuilder(data.length * 2);
for (byte element : data) {
sb.append(Integer.toHexString((element >> 4) & 15));
sb.append(Integer.toHexString(element & 15));
}
return sb.toString();
} | [
"public",
"static",
"String",
"toHexString",
"(",
"byte",
"[",
"]",
"data",
")",
"{",
"StringBuilder",
"sb",
"=",
"new",
"StringBuilder",
"(",
"data",
".",
"length",
"*",
"2",
")",
";",
"for",
"(",
"byte",
"element",
":",
"data",
")",
"{",
"sb",
".",... | Turn a bytearray into a printable form, representing each byte in hex.
@param data the bytearray to stringize
@return a hex-encoded printable representation of {@code data} | [
"Turn",
"a",
"bytearray",
"into",
"a",
"printable",
"form",
"representing",
"each",
"byte",
"in",
"hex",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/Utils.java#L27-L34 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/Utils.java | Utils.doAppendEscapedIdentifier | private static void doAppendEscapedIdentifier(Appendable sbuf, String value) throws SQLException {
try {
sbuf.append('"');
for (int i = 0; i < value.length(); ++i) {
char ch = value.charAt(i);
if (ch == '\0') {
throw new PSQLException(GT.tr("Zero bytes may not occur in identifiers."),
PSQLState.INVALID_PARAMETER_VALUE);
}
if (ch == '"') {
sbuf.append(ch);
}
sbuf.append(ch);
}
sbuf.append('"');
} catch (IOException e) {
throw new PSQLException(GT.tr("No IOException expected from StringBuffer or StringBuilder"),
PSQLState.UNEXPECTED_ERROR, e);
}
} | java | private static void doAppendEscapedIdentifier(Appendable sbuf, String value) throws SQLException {
try {
sbuf.append('"');
for (int i = 0; i < value.length(); ++i) {
char ch = value.charAt(i);
if (ch == '\0') {
throw new PSQLException(GT.tr("Zero bytes may not occur in identifiers."),
PSQLState.INVALID_PARAMETER_VALUE);
}
if (ch == '"') {
sbuf.append(ch);
}
sbuf.append(ch);
}
sbuf.append('"');
} catch (IOException e) {
throw new PSQLException(GT.tr("No IOException expected from StringBuffer or StringBuilder"),
PSQLState.UNEXPECTED_ERROR, e);
}
} | [
"private",
"static",
"void",
"doAppendEscapedIdentifier",
"(",
"Appendable",
"sbuf",
",",
"String",
"value",
")",
"throws",
"SQLException",
"{",
"try",
"{",
"sbuf",
".",
"append",
"(",
"'",
"'",
")",
";",
"for",
"(",
"int",
"i",
"=",
"0",
";",
"i",
"<"... | Common part for appendEscapedIdentifier.
@param sbuf Either StringBuffer or StringBuilder as we do not expect any IOException to be
thrown.
@param value value to append | [
"Common",
"part",
"for",
"appendEscapedIdentifier",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/Utils.java#L152-L173 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/fastpath/Fastpath.java | Fastpath.getInteger | public int getInteger(String name, FastpathArg[] args) throws SQLException {
byte[] returnValue = fastpath(name, args);
if (returnValue == null) {
throw new PSQLException(
GT.tr("Fastpath call {0} - No result was returned and we expected an integer.", name),
PSQLState.NO_DATA);
}
if (returnValue.length == 4) {
return ByteConverter.int4(returnValue, 0);
} else {
throw new PSQLException(GT.tr(
"Fastpath call {0} - No result was returned or wrong size while expecting an integer.",
name), PSQLState.NO_DATA);
}
} | java | public int getInteger(String name, FastpathArg[] args) throws SQLException {
byte[] returnValue = fastpath(name, args);
if (returnValue == null) {
throw new PSQLException(
GT.tr("Fastpath call {0} - No result was returned and we expected an integer.", name),
PSQLState.NO_DATA);
}
if (returnValue.length == 4) {
return ByteConverter.int4(returnValue, 0);
} else {
throw new PSQLException(GT.tr(
"Fastpath call {0} - No result was returned or wrong size while expecting an integer.",
name), PSQLState.NO_DATA);
}
} | [
"public",
"int",
"getInteger",
"(",
"String",
"name",
",",
"FastpathArg",
"[",
"]",
"args",
")",
"throws",
"SQLException",
"{",
"byte",
"[",
"]",
"returnValue",
"=",
"fastpath",
"(",
"name",
",",
"args",
")",
";",
"if",
"(",
"returnValue",
"==",
"null",
... | This convenience method assumes that the return value is an integer.
@param name Function name
@param args Function arguments
@return integer result
@throws SQLException if a database-access error occurs or no result | [
"This",
"convenience",
"method",
"assumes",
"that",
"the",
"return",
"value",
"is",
"an",
"integer",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/fastpath/Fastpath.java#L157-L172 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/fastpath/Fastpath.java | Fastpath.getOID | public long getOID(String name, FastpathArg[] args) throws SQLException {
long oid = getInteger(name, args);
if (oid < 0) {
oid += NUM_OIDS;
}
return oid;
} | java | public long getOID(String name, FastpathArg[] args) throws SQLException {
long oid = getInteger(name, args);
if (oid < 0) {
oid += NUM_OIDS;
}
return oid;
} | [
"public",
"long",
"getOID",
"(",
"String",
"name",
",",
"FastpathArg",
"[",
"]",
"args",
")",
"throws",
"SQLException",
"{",
"long",
"oid",
"=",
"getInteger",
"(",
"name",
",",
"args",
")",
";",
"if",
"(",
"oid",
"<",
"0",
")",
"{",
"oid",
"+=",
"N... | This convenience method assumes that the return value is an oid.
@param name Function name
@param args Function arguments
@return oid of the given call
@throws SQLException if a database-access error occurs or no result | [
"This",
"convenience",
"method",
"assumes",
"that",
"the",
"return",
"value",
"is",
"an",
"oid",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/fastpath/Fastpath.java#L208-L214 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/fastpath/Fastpath.java | Fastpath.createOIDArg | public static FastpathArg createOIDArg(long oid) {
if (oid > Integer.MAX_VALUE) {
oid -= NUM_OIDS;
}
return new FastpathArg((int) oid);
} | java | public static FastpathArg createOIDArg(long oid) {
if (oid > Integer.MAX_VALUE) {
oid -= NUM_OIDS;
}
return new FastpathArg((int) oid);
} | [
"public",
"static",
"FastpathArg",
"createOIDArg",
"(",
"long",
"oid",
")",
"{",
"if",
"(",
"oid",
">",
"Integer",
".",
"MAX_VALUE",
")",
"{",
"oid",
"-=",
"NUM_OIDS",
";",
"}",
"return",
"new",
"FastpathArg",
"(",
"(",
"int",
")",
"oid",
")",
";",
"... | Creates a FastpathArg with an oid parameter. This is here instead of a constructor of
FastpathArg because the constructor can't tell the difference between an long that's really
int8 and a long thats an oid.
@param oid input oid
@return FastpathArg with an oid parameter | [
"Creates",
"a",
"FastpathArg",
"with",
"an",
"oid",
"parameter",
".",
"This",
"is",
"here",
"instead",
"of",
"a",
"constructor",
"of",
"FastpathArg",
"because",
"the",
"constructor",
"can",
"t",
"tell",
"the",
"difference",
"between",
"an",
"long",
"that",
"... | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/fastpath/Fastpath.java#L312-L317 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/ds/common/PGObjectFactory.java | PGObjectFactory.getObjectInstance | public Object getObjectInstance(Object obj, Name name, Context nameCtx,
Hashtable<?, ?> environment) throws Exception {
Reference ref = (Reference) obj;
String className = ref.getClassName();
// Old names are here for those who still use them
if (className.equals("org.postgresql.ds.PGSimpleDataSource")
|| className.equals("org.postgresql.jdbc2.optional.SimpleDataSource")
|| className.equals("org.postgresql.jdbc3.Jdbc3SimpleDataSource")) {
return loadSimpleDataSource(ref);
} else if (className.equals("org.postgresql.ds.PGConnectionPoolDataSource")
|| className.equals("org.postgresql.jdbc2.optional.ConnectionPool")
|| className.equals("org.postgresql.jdbc3.Jdbc3ConnectionPool")) {
return loadConnectionPool(ref);
} else if (className.equals("org.postgresql.ds.PGPoolingDataSource")
|| className.equals("org.postgresql.jdbc2.optional.PoolingDataSource")
|| className.equals("org.postgresql.jdbc3.Jdbc3PoolingDataSource")) {
return loadPoolingDataSource(ref);
} else {
return null;
}
} | java | public Object getObjectInstance(Object obj, Name name, Context nameCtx,
Hashtable<?, ?> environment) throws Exception {
Reference ref = (Reference) obj;
String className = ref.getClassName();
// Old names are here for those who still use them
if (className.equals("org.postgresql.ds.PGSimpleDataSource")
|| className.equals("org.postgresql.jdbc2.optional.SimpleDataSource")
|| className.equals("org.postgresql.jdbc3.Jdbc3SimpleDataSource")) {
return loadSimpleDataSource(ref);
} else if (className.equals("org.postgresql.ds.PGConnectionPoolDataSource")
|| className.equals("org.postgresql.jdbc2.optional.ConnectionPool")
|| className.equals("org.postgresql.jdbc3.Jdbc3ConnectionPool")) {
return loadConnectionPool(ref);
} else if (className.equals("org.postgresql.ds.PGPoolingDataSource")
|| className.equals("org.postgresql.jdbc2.optional.PoolingDataSource")
|| className.equals("org.postgresql.jdbc3.Jdbc3PoolingDataSource")) {
return loadPoolingDataSource(ref);
} else {
return null;
}
} | [
"public",
"Object",
"getObjectInstance",
"(",
"Object",
"obj",
",",
"Name",
"name",
",",
"Context",
"nameCtx",
",",
"Hashtable",
"<",
"?",
",",
"?",
">",
"environment",
")",
"throws",
"Exception",
"{",
"Reference",
"ref",
"=",
"(",
"Reference",
")",
"obj",... | Dereferences a PostgreSQL DataSource. Other types of references are ignored. | [
"Dereferences",
"a",
"PostgreSQL",
"DataSource",
".",
"Other",
"types",
"of",
"references",
"are",
"ignored",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/ds/common/PGObjectFactory.java#L33-L53 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/ds/PGPoolingDataSource.java | PGPoolingDataSource.setDataSourceName | public void setDataSourceName(String dataSourceName) {
if (initialized) {
throw new IllegalStateException(
"Cannot set Data Source properties after DataSource has been used");
}
if (this.dataSourceName != null && dataSourceName != null
&& dataSourceName.equals(this.dataSourceName)) {
return;
}
PGPoolingDataSource previous = dataSources.putIfAbsent(dataSourceName, this);
if (previous != null) {
throw new IllegalArgumentException(
"DataSource with name '" + dataSourceName + "' already exists!");
}
if (this.dataSourceName != null) {
dataSources.remove(this.dataSourceName);
}
this.dataSourceName = dataSourceName;
} | java | public void setDataSourceName(String dataSourceName) {
if (initialized) {
throw new IllegalStateException(
"Cannot set Data Source properties after DataSource has been used");
}
if (this.dataSourceName != null && dataSourceName != null
&& dataSourceName.equals(this.dataSourceName)) {
return;
}
PGPoolingDataSource previous = dataSources.putIfAbsent(dataSourceName, this);
if (previous != null) {
throw new IllegalArgumentException(
"DataSource with name '" + dataSourceName + "' already exists!");
}
if (this.dataSourceName != null) {
dataSources.remove(this.dataSourceName);
}
this.dataSourceName = dataSourceName;
} | [
"public",
"void",
"setDataSourceName",
"(",
"String",
"dataSourceName",
")",
"{",
"if",
"(",
"initialized",
")",
"{",
"throw",
"new",
"IllegalStateException",
"(",
"\"Cannot set Data Source properties after DataSource has been used\"",
")",
";",
"}",
"if",
"(",
"this",
... | Sets the name of this DataSource. This is required, and uniquely identifies the DataSource. You
cannot create or use more than one DataSource in the same VM with the same name.
@param dataSourceName datasource name
@throws IllegalStateException The Data Source Name cannot be changed after the DataSource has
been used.
@throws IllegalArgumentException Another PoolingDataSource with the same dataSourceName already
exists. | [
"Sets",
"the",
"name",
"of",
"this",
"DataSource",
".",
"This",
"is",
"required",
"and",
"uniquely",
"identifies",
"the",
"DataSource",
".",
"You",
"cannot",
"create",
"or",
"use",
"more",
"than",
"one",
"DataSource",
"in",
"the",
"same",
"VM",
"with",
"th... | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/ds/PGPoolingDataSource.java#L234-L252 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/ds/PGPoolingDataSource.java | PGPoolingDataSource.initialize | public void initialize() throws SQLException {
synchronized (lock) {
source = createConnectionPool();
try {
source.initializeFrom(this);
} catch (Exception e) {
throw new PSQLException(GT.tr("Failed to setup DataSource."), PSQLState.UNEXPECTED_ERROR,
e);
}
while (available.size() < initialConnections) {
available.push(source.getPooledConnection());
}
initialized = true;
}
} | java | public void initialize() throws SQLException {
synchronized (lock) {
source = createConnectionPool();
try {
source.initializeFrom(this);
} catch (Exception e) {
throw new PSQLException(GT.tr("Failed to setup DataSource."), PSQLState.UNEXPECTED_ERROR,
e);
}
while (available.size() < initialConnections) {
available.push(source.getPooledConnection());
}
initialized = true;
}
} | [
"public",
"void",
"initialize",
"(",
")",
"throws",
"SQLException",
"{",
"synchronized",
"(",
"lock",
")",
"{",
"source",
"=",
"createConnectionPool",
"(",
")",
";",
"try",
"{",
"source",
".",
"initializeFrom",
"(",
"this",
")",
";",
"}",
"catch",
"(",
"... | Initializes this DataSource. If the initialConnections is greater than zero, that number of
connections will be created. After this method is called, the DataSource properties cannot be
changed. If you do not call this explicitly, it will be called the first time you get a
connection from the DataSource.
@throws SQLException Occurs when the initialConnections is greater than zero, but the
DataSource is not able to create enough physical connections. | [
"Initializes",
"this",
"DataSource",
".",
"If",
"the",
"initialConnections",
"is",
"greater",
"than",
"zero",
"that",
"number",
"of",
"connections",
"will",
"be",
"created",
".",
"After",
"this",
"method",
"is",
"called",
"the",
"DataSource",
"properties",
"cann... | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/ds/PGPoolingDataSource.java#L263-L279 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/ds/PGPoolingDataSource.java | PGPoolingDataSource.close | public void close() {
synchronized (lock) {
while (!available.isEmpty()) {
PooledConnection pci = available.pop();
try {
pci.close();
} catch (SQLException e) {
}
}
available = null;
while (!used.isEmpty()) {
PooledConnection pci = used.pop();
pci.removeConnectionEventListener(connectionEventListener);
try {
pci.close();
} catch (SQLException e) {
}
}
used = null;
}
removeStoredDataSource();
} | java | public void close() {
synchronized (lock) {
while (!available.isEmpty()) {
PooledConnection pci = available.pop();
try {
pci.close();
} catch (SQLException e) {
}
}
available = null;
while (!used.isEmpty()) {
PooledConnection pci = used.pop();
pci.removeConnectionEventListener(connectionEventListener);
try {
pci.close();
} catch (SQLException e) {
}
}
used = null;
}
removeStoredDataSource();
} | [
"public",
"void",
"close",
"(",
")",
"{",
"synchronized",
"(",
"lock",
")",
"{",
"while",
"(",
"!",
"available",
".",
"isEmpty",
"(",
")",
")",
"{",
"PooledConnection",
"pci",
"=",
"available",
".",
"pop",
"(",
")",
";",
"try",
"{",
"pci",
".",
"cl... | Closes this DataSource, and all the pooled connections, whether in use or not. | [
"Closes",
"this",
"DataSource",
"and",
"all",
"the",
"pooled",
"connections",
"whether",
"in",
"use",
"or",
"not",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/ds/PGPoolingDataSource.java#L332-L353 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/ds/PGPoolingDataSource.java | PGPoolingDataSource.getPooledConnection | private Connection getPooledConnection() throws SQLException {
PooledConnection pc = null;
synchronized (lock) {
if (available == null) {
throw new PSQLException(GT.tr("DataSource has been closed."),
PSQLState.CONNECTION_DOES_NOT_EXIST);
}
while (true) {
if (!available.isEmpty()) {
pc = available.pop();
used.push(pc);
break;
}
if (maxConnections == 0 || used.size() < maxConnections) {
pc = source.getPooledConnection();
used.push(pc);
break;
} else {
try {
// Wake up every second at a minimum
lock.wait(1000L);
} catch (InterruptedException e) {
}
}
}
}
pc.addConnectionEventListener(connectionEventListener);
return pc.getConnection();
} | java | private Connection getPooledConnection() throws SQLException {
PooledConnection pc = null;
synchronized (lock) {
if (available == null) {
throw new PSQLException(GT.tr("DataSource has been closed."),
PSQLState.CONNECTION_DOES_NOT_EXIST);
}
while (true) {
if (!available.isEmpty()) {
pc = available.pop();
used.push(pc);
break;
}
if (maxConnections == 0 || used.size() < maxConnections) {
pc = source.getPooledConnection();
used.push(pc);
break;
} else {
try {
// Wake up every second at a minimum
lock.wait(1000L);
} catch (InterruptedException e) {
}
}
}
}
pc.addConnectionEventListener(connectionEventListener);
return pc.getConnection();
} | [
"private",
"Connection",
"getPooledConnection",
"(",
")",
"throws",
"SQLException",
"{",
"PooledConnection",
"pc",
"=",
"null",
";",
"synchronized",
"(",
"lock",
")",
"{",
"if",
"(",
"available",
"==",
"null",
")",
"{",
"throw",
"new",
"PSQLException",
"(",
... | Gets a connection from the pool. Will get an available one if present, or create a new one if
under the max limit. Will block if all used and a new one would exceed the max. | [
"Gets",
"a",
"connection",
"from",
"the",
"pool",
".",
"Will",
"get",
"an",
"available",
"one",
"if",
"present",
"or",
"create",
"a",
"new",
"one",
"if",
"under",
"the",
"max",
"limit",
".",
"Will",
"block",
"if",
"all",
"used",
"and",
"a",
"new",
"o... | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/ds/PGPoolingDataSource.java#L367-L395 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/ds/PGPoolingDataSource.java | PGPoolingDataSource.getReference | public Reference getReference() throws NamingException {
Reference ref = super.getReference();
ref.add(new StringRefAddr("dataSourceName", dataSourceName));
if (initialConnections > 0) {
ref.add(new StringRefAddr("initialConnections", Integer.toString(initialConnections)));
}
if (maxConnections > 0) {
ref.add(new StringRefAddr("maxConnections", Integer.toString(maxConnections)));
}
return ref;
} | java | public Reference getReference() throws NamingException {
Reference ref = super.getReference();
ref.add(new StringRefAddr("dataSourceName", dataSourceName));
if (initialConnections > 0) {
ref.add(new StringRefAddr("initialConnections", Integer.toString(initialConnections)));
}
if (maxConnections > 0) {
ref.add(new StringRefAddr("maxConnections", Integer.toString(maxConnections)));
}
return ref;
} | [
"public",
"Reference",
"getReference",
"(",
")",
"throws",
"NamingException",
"{",
"Reference",
"ref",
"=",
"super",
".",
"getReference",
"(",
")",
";",
"ref",
".",
"add",
"(",
"new",
"StringRefAddr",
"(",
"\"dataSourceName\"",
",",
"dataSourceName",
")",
")",... | Adds custom properties for this DataSource to the properties defined in the superclass. | [
"Adds",
"custom",
"properties",
"for",
"this",
"DataSource",
"to",
"the",
"properties",
"defined",
"in",
"the",
"superclass",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/ds/PGPoolingDataSource.java#L439-L449 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/v3/SimpleQuery.java | SimpleQuery.setFields | void setFields(Field[] fields) {
this.fields = fields;
this.resultSetColumnNameIndexMap = null;
this.cachedMaxResultRowSize = null;
this.needUpdateFieldFormats = fields != null;
this.hasBinaryFields = false; // just in case
} | java | void setFields(Field[] fields) {
this.fields = fields;
this.resultSetColumnNameIndexMap = null;
this.cachedMaxResultRowSize = null;
this.needUpdateFieldFormats = fields != null;
this.hasBinaryFields = false; // just in case
} | [
"void",
"setFields",
"(",
"Field",
"[",
"]",
"fields",
")",
"{",
"this",
".",
"fields",
"=",
"fields",
";",
"this",
".",
"resultSetColumnNameIndexMap",
"=",
"null",
";",
"this",
".",
"cachedMaxResultRowSize",
"=",
"null",
";",
"this",
".",
"needUpdateFieldFo... | Sets the fields that this query will return.
@param fields The fields that this query will return. | [
"Sets",
"the",
"fields",
"that",
"this",
"query",
"will",
"return",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/v3/SimpleQuery.java#L216-L222 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java | TimestampUtils.toTimestamp | public synchronized Timestamp toTimestamp(Calendar cal, String s) throws SQLException {
if (s == null) {
return null;
}
int slen = s.length();
// convert postgres's infinity values to internal infinity magic value
if (slen == 8 && s.equals("infinity")) {
return new Timestamp(PGStatement.DATE_POSITIVE_INFINITY);
}
if (slen == 9 && s.equals("-infinity")) {
return new Timestamp(PGStatement.DATE_NEGATIVE_INFINITY);
}
ParsedTimestamp ts = parseBackendTimestamp(s);
Calendar useCal = ts.tz != null ? ts.tz : setupCalendar(cal);
useCal.set(Calendar.ERA, ts.era);
useCal.set(Calendar.YEAR, ts.year);
useCal.set(Calendar.MONTH, ts.month - 1);
useCal.set(Calendar.DAY_OF_MONTH, ts.day);
useCal.set(Calendar.HOUR_OF_DAY, ts.hour);
useCal.set(Calendar.MINUTE, ts.minute);
useCal.set(Calendar.SECOND, ts.second);
useCal.set(Calendar.MILLISECOND, 0);
Timestamp result = new Timestamp(useCal.getTimeInMillis());
result.setNanos(ts.nanos);
return result;
} | java | public synchronized Timestamp toTimestamp(Calendar cal, String s) throws SQLException {
if (s == null) {
return null;
}
int slen = s.length();
// convert postgres's infinity values to internal infinity magic value
if (slen == 8 && s.equals("infinity")) {
return new Timestamp(PGStatement.DATE_POSITIVE_INFINITY);
}
if (slen == 9 && s.equals("-infinity")) {
return new Timestamp(PGStatement.DATE_NEGATIVE_INFINITY);
}
ParsedTimestamp ts = parseBackendTimestamp(s);
Calendar useCal = ts.tz != null ? ts.tz : setupCalendar(cal);
useCal.set(Calendar.ERA, ts.era);
useCal.set(Calendar.YEAR, ts.year);
useCal.set(Calendar.MONTH, ts.month - 1);
useCal.set(Calendar.DAY_OF_MONTH, ts.day);
useCal.set(Calendar.HOUR_OF_DAY, ts.hour);
useCal.set(Calendar.MINUTE, ts.minute);
useCal.set(Calendar.SECOND, ts.second);
useCal.set(Calendar.MILLISECOND, 0);
Timestamp result = new Timestamp(useCal.getTimeInMillis());
result.setNanos(ts.nanos);
return result;
} | [
"public",
"synchronized",
"Timestamp",
"toTimestamp",
"(",
"Calendar",
"cal",
",",
"String",
"s",
")",
"throws",
"SQLException",
"{",
"if",
"(",
"s",
"==",
"null",
")",
"{",
"return",
"null",
";",
"}",
"int",
"slen",
"=",
"s",
".",
"length",
"(",
")",
... | Parse a string and return a timestamp representing its value.
@param cal calendar to be used to parse the input string
@param s The ISO formated date string to parse.
@return null if s is null or a timestamp of the parsed string s.
@throws SQLException if there is a problem parsing s. | [
"Parse",
"a",
"string",
"and",
"return",
"a",
"timestamp",
"representing",
"its",
"value",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java#L379-L409 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java | TimestampUtils.toLocalTime | public LocalTime toLocalTime(String s) throws SQLException {
if (s == null) {
return null;
}
if (s.equals("24:00:00")) {
return LocalTime.MAX;
}
try {
return LocalTime.parse(s);
} catch (DateTimeParseException nfe) {
throw new PSQLException(
GT.tr("Bad value for type timestamp/date/time: {1}", s),
PSQLState.BAD_DATETIME_FORMAT, nfe);
}
} | java | public LocalTime toLocalTime(String s) throws SQLException {
if (s == null) {
return null;
}
if (s.equals("24:00:00")) {
return LocalTime.MAX;
}
try {
return LocalTime.parse(s);
} catch (DateTimeParseException nfe) {
throw new PSQLException(
GT.tr("Bad value for type timestamp/date/time: {1}", s),
PSQLState.BAD_DATETIME_FORMAT, nfe);
}
} | [
"public",
"LocalTime",
"toLocalTime",
"(",
"String",
"s",
")",
"throws",
"SQLException",
"{",
"if",
"(",
"s",
"==",
"null",
")",
"{",
"return",
"null",
";",
"}",
"if",
"(",
"s",
".",
"equals",
"(",
"\"24:00:00\"",
")",
")",
"{",
"return",
"LocalTime",
... | Parse a string and return a LocalTime representing its value.
@param s The ISO formated time string to parse.
@return null if s is null or a LocalTime of the parsed string s.
@throws SQLException if there is a problem parsing s. | [
"Parse",
"a",
"string",
"and",
"return",
"a",
"LocalTime",
"representing",
"its",
"value",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java#L419-L436 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java | TimestampUtils.toLocalDateTime | public LocalDateTime toLocalDateTime(String s) throws SQLException {
if (s == null) {
return null;
}
int slen = s.length();
// convert postgres's infinity values to internal infinity magic value
if (slen == 8 && s.equals("infinity")) {
return LocalDateTime.MAX;
}
if (slen == 9 && s.equals("-infinity")) {
return LocalDateTime.MIN;
}
ParsedTimestamp ts = parseBackendTimestamp(s);
// intentionally ignore time zone
// 2004-10-19 10:23:54+03:00 is 2004-10-19 10:23:54 locally
LocalDateTime result = LocalDateTime.of(ts.year, ts.month, ts.day, ts.hour, ts.minute, ts.second, ts.nanos);
if (ts.era == GregorianCalendar.BC) {
return result.with(ChronoField.ERA, IsoEra.BCE.getValue());
} else {
return result;
}
} | java | public LocalDateTime toLocalDateTime(String s) throws SQLException {
if (s == null) {
return null;
}
int slen = s.length();
// convert postgres's infinity values to internal infinity magic value
if (slen == 8 && s.equals("infinity")) {
return LocalDateTime.MAX;
}
if (slen == 9 && s.equals("-infinity")) {
return LocalDateTime.MIN;
}
ParsedTimestamp ts = parseBackendTimestamp(s);
// intentionally ignore time zone
// 2004-10-19 10:23:54+03:00 is 2004-10-19 10:23:54 locally
LocalDateTime result = LocalDateTime.of(ts.year, ts.month, ts.day, ts.hour, ts.minute, ts.second, ts.nanos);
if (ts.era == GregorianCalendar.BC) {
return result.with(ChronoField.ERA, IsoEra.BCE.getValue());
} else {
return result;
}
} | [
"public",
"LocalDateTime",
"toLocalDateTime",
"(",
"String",
"s",
")",
"throws",
"SQLException",
"{",
"if",
"(",
"s",
"==",
"null",
")",
"{",
"return",
"null",
";",
"}",
"int",
"slen",
"=",
"s",
".",
"length",
"(",
")",
";",
"// convert postgres's infinity... | Parse a string and return a LocalDateTime representing its value.
@param s The ISO formated date string to parse.
@return null if s is null or a LocalDateTime of the parsed string s.
@throws SQLException if there is a problem parsing s. | [
"Parse",
"a",
"string",
"and",
"return",
"a",
"LocalDateTime",
"representing",
"its",
"value",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java#L445-L471 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java | TimestampUtils.getSharedCalendar | public Calendar getSharedCalendar(TimeZone timeZone) {
if (timeZone == null) {
timeZone = getDefaultTz();
}
Calendar tmp = calendarWithUserTz;
tmp.setTimeZone(timeZone);
return tmp;
} | java | public Calendar getSharedCalendar(TimeZone timeZone) {
if (timeZone == null) {
timeZone = getDefaultTz();
}
Calendar tmp = calendarWithUserTz;
tmp.setTimeZone(timeZone);
return tmp;
} | [
"public",
"Calendar",
"getSharedCalendar",
"(",
"TimeZone",
"timeZone",
")",
"{",
"if",
"(",
"timeZone",
"==",
"null",
")",
"{",
"timeZone",
"=",
"getDefaultTz",
"(",
")",
";",
"}",
"Calendar",
"tmp",
"=",
"calendarWithUserTz",
";",
"tmp",
".",
"setTimeZone"... | Get a shared calendar, applying the supplied time zone or the default time zone if null.
@param timeZone time zone to be set for the calendar
@return The shared calendar. | [
"Get",
"a",
"shared",
"calendar",
"applying",
"the",
"supplied",
"time",
"zone",
"or",
"the",
"default",
"time",
"zone",
"if",
"null",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java#L541-L548 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java | TimestampUtils.convertToDate | public Date convertToDate(long millis, TimeZone tz) {
// no adjustments for the inifity hack values
if (millis <= PGStatement.DATE_NEGATIVE_INFINITY
|| millis >= PGStatement.DATE_POSITIVE_INFINITY) {
return new Date(millis);
}
if (tz == null) {
tz = getDefaultTz();
}
if (isSimpleTimeZone(tz.getID())) {
// Truncate to 00:00 of the day.
// Suppose the input date is 7 Jan 15:40 GMT+02:00 (that is 13:40 UTC)
// We want it to become 7 Jan 00:00 GMT+02:00
// 1) Make sure millis becomes 15:40 in UTC, so add offset
int offset = tz.getRawOffset();
millis += offset;
// 2) Truncate hours, minutes, etc. Day is always 86400 seconds, no matter what leap seconds
// are
millis = millis / ONEDAY * ONEDAY;
// 2) Now millis is 7 Jan 00:00 UTC, however we need that in GMT+02:00, so subtract some
// offset
millis -= offset;
// Now we have brand-new 7 Jan 00:00 GMT+02:00
return new Date(millis);
}
Calendar cal = calendarWithUserTz;
cal.setTimeZone(tz);
cal.setTimeInMillis(millis);
cal.set(Calendar.HOUR_OF_DAY, 0);
cal.set(Calendar.MINUTE, 0);
cal.set(Calendar.SECOND, 0);
cal.set(Calendar.MILLISECOND, 0);
return new Date(cal.getTimeInMillis());
} | java | public Date convertToDate(long millis, TimeZone tz) {
// no adjustments for the inifity hack values
if (millis <= PGStatement.DATE_NEGATIVE_INFINITY
|| millis >= PGStatement.DATE_POSITIVE_INFINITY) {
return new Date(millis);
}
if (tz == null) {
tz = getDefaultTz();
}
if (isSimpleTimeZone(tz.getID())) {
// Truncate to 00:00 of the day.
// Suppose the input date is 7 Jan 15:40 GMT+02:00 (that is 13:40 UTC)
// We want it to become 7 Jan 00:00 GMT+02:00
// 1) Make sure millis becomes 15:40 in UTC, so add offset
int offset = tz.getRawOffset();
millis += offset;
// 2) Truncate hours, minutes, etc. Day is always 86400 seconds, no matter what leap seconds
// are
millis = millis / ONEDAY * ONEDAY;
// 2) Now millis is 7 Jan 00:00 UTC, however we need that in GMT+02:00, so subtract some
// offset
millis -= offset;
// Now we have brand-new 7 Jan 00:00 GMT+02:00
return new Date(millis);
}
Calendar cal = calendarWithUserTz;
cal.setTimeZone(tz);
cal.setTimeInMillis(millis);
cal.set(Calendar.HOUR_OF_DAY, 0);
cal.set(Calendar.MINUTE, 0);
cal.set(Calendar.SECOND, 0);
cal.set(Calendar.MILLISECOND, 0);
return new Date(cal.getTimeInMillis());
} | [
"public",
"Date",
"convertToDate",
"(",
"long",
"millis",
",",
"TimeZone",
"tz",
")",
"{",
"// no adjustments for the inifity hack values",
"if",
"(",
"millis",
"<=",
"PGStatement",
".",
"DATE_NEGATIVE_INFINITY",
"||",
"millis",
">=",
"PGStatement",
".",
"DATE_POSITIV... | Extracts the date part from a timestamp.
@param millis The timestamp from which to extract the date.
@param tz The time zone of the date.
@return The extracted date. | [
"Extracts",
"the",
"date",
"part",
"from",
"a",
"timestamp",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java#L1225-L1259 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java | TimestampUtils.convertToTime | public Time convertToTime(long millis, TimeZone tz) {
if (tz == null) {
tz = getDefaultTz();
}
if (isSimpleTimeZone(tz.getID())) {
// Leave just time part of the day.
// Suppose the input date is 2015 7 Jan 15:40 GMT+02:00 (that is 13:40 UTC)
// We want it to become 1970 1 Jan 15:40 GMT+02:00
// 1) Make sure millis becomes 15:40 in UTC, so add offset
int offset = tz.getRawOffset();
millis += offset;
// 2) Truncate year, month, day. Day is always 86400 seconds, no matter what leap seconds are
millis = millis % ONEDAY;
// 2) Now millis is 1970 1 Jan 15:40 UTC, however we need that in GMT+02:00, so subtract some
// offset
millis -= offset;
// Now we have brand-new 1970 1 Jan 15:40 GMT+02:00
return new Time(millis);
}
Calendar cal = calendarWithUserTz;
cal.setTimeZone(tz);
cal.setTimeInMillis(millis);
cal.set(Calendar.ERA, GregorianCalendar.AD);
cal.set(Calendar.YEAR, 1970);
cal.set(Calendar.MONTH, 0);
cal.set(Calendar.DAY_OF_MONTH, 1);
return new Time(cal.getTimeInMillis());
} | java | public Time convertToTime(long millis, TimeZone tz) {
if (tz == null) {
tz = getDefaultTz();
}
if (isSimpleTimeZone(tz.getID())) {
// Leave just time part of the day.
// Suppose the input date is 2015 7 Jan 15:40 GMT+02:00 (that is 13:40 UTC)
// We want it to become 1970 1 Jan 15:40 GMT+02:00
// 1) Make sure millis becomes 15:40 in UTC, so add offset
int offset = tz.getRawOffset();
millis += offset;
// 2) Truncate year, month, day. Day is always 86400 seconds, no matter what leap seconds are
millis = millis % ONEDAY;
// 2) Now millis is 1970 1 Jan 15:40 UTC, however we need that in GMT+02:00, so subtract some
// offset
millis -= offset;
// Now we have brand-new 1970 1 Jan 15:40 GMT+02:00
return new Time(millis);
}
Calendar cal = calendarWithUserTz;
cal.setTimeZone(tz);
cal.setTimeInMillis(millis);
cal.set(Calendar.ERA, GregorianCalendar.AD);
cal.set(Calendar.YEAR, 1970);
cal.set(Calendar.MONTH, 0);
cal.set(Calendar.DAY_OF_MONTH, 1);
return new Time(cal.getTimeInMillis());
} | [
"public",
"Time",
"convertToTime",
"(",
"long",
"millis",
",",
"TimeZone",
"tz",
")",
"{",
"if",
"(",
"tz",
"==",
"null",
")",
"{",
"tz",
"=",
"getDefaultTz",
"(",
")",
";",
"}",
"if",
"(",
"isSimpleTimeZone",
"(",
"tz",
".",
"getID",
"(",
")",
")"... | Extracts the time part from a timestamp. This method ensures the date part of output timestamp
looks like 1970-01-01 in given timezone.
@param millis The timestamp from which to extract the time.
@param tz timezone to use.
@return The extracted time. | [
"Extracts",
"the",
"time",
"part",
"from",
"a",
"timestamp",
".",
"This",
"method",
"ensures",
"the",
"date",
"part",
"of",
"output",
"timestamp",
"looks",
"like",
"1970",
"-",
"01",
"-",
"01",
"in",
"given",
"timezone",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java#L1269-L1297 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java | TimestampUtils.timeToString | public String timeToString(java.util.Date time, boolean withTimeZone) {
Calendar cal = null;
if (withTimeZone) {
cal = calendarWithUserTz;
cal.setTimeZone(timeZoneProvider.get());
}
if (time instanceof Timestamp) {
return toString(cal, (Timestamp) time, withTimeZone);
}
if (time instanceof Time) {
return toString(cal, (Time) time, withTimeZone);
}
return toString(cal, (Date) time, withTimeZone);
} | java | public String timeToString(java.util.Date time, boolean withTimeZone) {
Calendar cal = null;
if (withTimeZone) {
cal = calendarWithUserTz;
cal.setTimeZone(timeZoneProvider.get());
}
if (time instanceof Timestamp) {
return toString(cal, (Timestamp) time, withTimeZone);
}
if (time instanceof Time) {
return toString(cal, (Time) time, withTimeZone);
}
return toString(cal, (Date) time, withTimeZone);
} | [
"public",
"String",
"timeToString",
"(",
"java",
".",
"util",
".",
"Date",
"time",
",",
"boolean",
"withTimeZone",
")",
"{",
"Calendar",
"cal",
"=",
"null",
";",
"if",
"(",
"withTimeZone",
")",
"{",
"cal",
"=",
"calendarWithUserTz",
";",
"cal",
".",
"set... | Returns the given time value as String matching what the current postgresql server would send
in text mode.
@param time time value
@param withTimeZone whether timezone should be added
@return given time value as String | [
"Returns",
"the",
"given",
"time",
"value",
"as",
"String",
"matching",
"what",
"the",
"current",
"postgresql",
"server",
"would",
"send",
"in",
"text",
"mode",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/TimestampUtils.java#L1307-L1320 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/xa/PGXADataSource.java | PGXADataSource.getXAConnection | public XAConnection getXAConnection(String user, String password) throws SQLException {
Connection con = super.getConnection(user, password);
return new PGXAConnection((BaseConnection) con);
} | java | public XAConnection getXAConnection(String user, String password) throws SQLException {
Connection con = super.getConnection(user, password);
return new PGXAConnection((BaseConnection) con);
} | [
"public",
"XAConnection",
"getXAConnection",
"(",
"String",
"user",
",",
"String",
"password",
")",
"throws",
"SQLException",
"{",
"Connection",
"con",
"=",
"super",
".",
"getConnection",
"(",
"user",
",",
"password",
")",
";",
"return",
"new",
"PGXAConnection",... | Gets a XA-enabled connection to the PostgreSQL database. The database is identified by the
DataSource properties serverName, databaseName, and portNumber. The user to connect as is
identified by the arguments user and password, which override the DataSource properties by the
same name.
@return A valid database connection.
@throws SQLException Occurs when the database connection cannot be established. | [
"Gets",
"a",
"XA",
"-",
"enabled",
"connection",
"to",
"the",
"PostgreSQL",
"database",
".",
"The",
"database",
"is",
"identified",
"by",
"the",
"DataSource",
"properties",
"serverName",
"databaseName",
"and",
"portNumber",
".",
"The",
"user",
"to",
"connect",
... | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/xa/PGXADataSource.java#L45-L48 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/copy/CopyManager.java | CopyManager.copyOut | public long copyOut(final String sql, Writer to) throws SQLException, IOException {
byte[] buf;
CopyOut cp = copyOut(sql);
try {
while ((buf = cp.readFromCopy()) != null) {
to.write(encoding.decode(buf));
}
return cp.getHandledRowCount();
} catch (IOException ioEX) {
// if not handled this way the close call will hang, at least in 8.2
if (cp.isActive()) {
cp.cancelCopy();
}
try { // read until exhausted or operation cancelled SQLException
while ((buf = cp.readFromCopy()) != null) {
}
} catch (SQLException sqlEx) {
} // typically after several kB
throw ioEX;
} finally { // see to it that we do not leave the connection locked
if (cp.isActive()) {
cp.cancelCopy();
}
}
} | java | public long copyOut(final String sql, Writer to) throws SQLException, IOException {
byte[] buf;
CopyOut cp = copyOut(sql);
try {
while ((buf = cp.readFromCopy()) != null) {
to.write(encoding.decode(buf));
}
return cp.getHandledRowCount();
} catch (IOException ioEX) {
// if not handled this way the close call will hang, at least in 8.2
if (cp.isActive()) {
cp.cancelCopy();
}
try { // read until exhausted or operation cancelled SQLException
while ((buf = cp.readFromCopy()) != null) {
}
} catch (SQLException sqlEx) {
} // typically after several kB
throw ioEX;
} finally { // see to it that we do not leave the connection locked
if (cp.isActive()) {
cp.cancelCopy();
}
}
} | [
"public",
"long",
"copyOut",
"(",
"final",
"String",
"sql",
",",
"Writer",
"to",
")",
"throws",
"SQLException",
",",
"IOException",
"{",
"byte",
"[",
"]",
"buf",
";",
"CopyOut",
"cp",
"=",
"copyOut",
"(",
"sql",
")",
";",
"try",
"{",
"while",
"(",
"(... | Pass results of a COPY TO STDOUT query from database into a Writer.
@param sql COPY TO STDOUT statement
@param to the stream to write the results to (row by row)
@return number of rows updated for server 8.2 or newer; -1 for older
@throws SQLException on database usage errors
@throws IOException upon writer or database connection failure | [
"Pass",
"results",
"of",
"a",
"COPY",
"TO",
"STDOUT",
"query",
"from",
"database",
"into",
"a",
"Writer",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/copy/CopyManager.java#L85-L109 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgResultSetMetaData.java | PgResultSetMetaData.getColumnClassName | public String getColumnClassName(int column) throws SQLException {
Field field = getField(column);
String result = connection.getTypeInfo().getJavaClass(field.getOID());
if (result != null) {
return result;
}
int sqlType = getSQLType(column);
switch (sqlType) {
case Types.ARRAY:
return ("java.sql.Array");
default:
String type = getPGType(column);
if ("unknown".equals(type)) {
return ("java.lang.String");
}
return ("java.lang.Object");
}
} | java | public String getColumnClassName(int column) throws SQLException {
Field field = getField(column);
String result = connection.getTypeInfo().getJavaClass(field.getOID());
if (result != null) {
return result;
}
int sqlType = getSQLType(column);
switch (sqlType) {
case Types.ARRAY:
return ("java.sql.Array");
default:
String type = getPGType(column);
if ("unknown".equals(type)) {
return ("java.lang.String");
}
return ("java.lang.Object");
}
} | [
"public",
"String",
"getColumnClassName",
"(",
"int",
"column",
")",
"throws",
"SQLException",
"{",
"Field",
"field",
"=",
"getField",
"(",
"column",
")",
";",
"String",
"result",
"=",
"connection",
".",
"getTypeInfo",
"(",
")",
".",
"getJavaClass",
"(",
"fi... | This can hook into our PG_Object mechanism | [
"This",
"can",
"hook",
"into",
"our",
"PG_Object",
"mechanism"
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgResultSetMetaData.java#L408-L427 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/Driver.java | Driver.makeConnection | private static Connection makeConnection(String url, Properties props) throws SQLException {
return new PgConnection(hostSpecs(props), user(props), database(props), props, url);
} | java | private static Connection makeConnection(String url, Properties props) throws SQLException {
return new PgConnection(hostSpecs(props), user(props), database(props), props, url);
} | [
"private",
"static",
"Connection",
"makeConnection",
"(",
"String",
"url",
",",
"Properties",
"props",
")",
"throws",
"SQLException",
"{",
"return",
"new",
"PgConnection",
"(",
"hostSpecs",
"(",
"props",
")",
",",
"user",
"(",
"props",
")",
",",
"database",
... | Create a connection from URL and properties. Always does the connection work in the current
thread without enforcing a timeout, regardless of any timeout specified in the properties.
@param url the original URL
@param props the parsed/defaulted connection properties
@return a new connection
@throws SQLException if the connection could not be made | [
"Create",
"a",
"connection",
"from",
"URL",
"and",
"properties",
".",
"Always",
"does",
"the",
"connection",
"work",
"in",
"the",
"current",
"thread",
"without",
"enforcing",
"a",
"timeout",
"regardless",
"of",
"any",
"timeout",
"specified",
"in",
"the",
"prop... | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/Driver.java#L457-L459 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/Driver.java | Driver.notImplemented | public static SQLFeatureNotSupportedException notImplemented(Class<?> callClass,
String functionName) {
return new SQLFeatureNotSupportedException(
GT.tr("Method {0} is not yet implemented.", callClass.getName() + "." + functionName),
PSQLState.NOT_IMPLEMENTED.getState());
} | java | public static SQLFeatureNotSupportedException notImplemented(Class<?> callClass,
String functionName) {
return new SQLFeatureNotSupportedException(
GT.tr("Method {0} is not yet implemented.", callClass.getName() + "." + functionName),
PSQLState.NOT_IMPLEMENTED.getState());
} | [
"public",
"static",
"SQLFeatureNotSupportedException",
"notImplemented",
"(",
"Class",
"<",
"?",
">",
"callClass",
",",
"String",
"functionName",
")",
"{",
"return",
"new",
"SQLFeatureNotSupportedException",
"(",
"GT",
".",
"tr",
"(",
"\"Method {0} is not yet implemente... | This method was added in v6.5, and simply throws an SQLException for an unimplemented method. I
decided to do it this way while implementing the JDBC2 extensions to JDBC, as it should help
keep the overall driver size down. It now requires the call Class and the function name to help
when the driver is used with closed software that don't report the stack strace
@param callClass the call Class
@param functionName the name of the unimplemented function with the type of its arguments
@return PSQLException with a localized message giving the complete description of the
unimplemeted function | [
"This",
"method",
"was",
"added",
"in",
"v6",
".",
"5",
"and",
"simply",
"throws",
"an",
"SQLException",
"for",
"an",
"unimplemented",
"method",
".",
"I",
"decided",
"to",
"do",
"it",
"this",
"way",
"while",
"implementing",
"the",
"JDBC2",
"extensions",
"t... | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/Driver.java#L688-L693 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/util/PGInterval.java | PGInterval.setValue | public void setValue(int years, int months, int days, int hours, int minutes, double seconds) {
setYears(years);
setMonths(months);
setDays(days);
setHours(hours);
setMinutes(minutes);
setSeconds(seconds);
} | java | public void setValue(int years, int months, int days, int hours, int minutes, double seconds) {
setYears(years);
setMonths(months);
setDays(days);
setHours(hours);
setMinutes(minutes);
setSeconds(seconds);
} | [
"public",
"void",
"setValue",
"(",
"int",
"years",
",",
"int",
"months",
",",
"int",
"days",
",",
"int",
"hours",
",",
"int",
"minutes",
",",
"double",
"seconds",
")",
"{",
"setYears",
"(",
"years",
")",
";",
"setMonths",
"(",
"months",
")",
";",
"se... | Set all values of this interval to the specified values.
@param years years
@param months months
@param days days
@param hours hours
@param minutes minutes
@param seconds seconds | [
"Set",
"all",
"values",
"of",
"this",
"interval",
"to",
"the",
"specified",
"values",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/util/PGInterval.java#L174-L181 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/util/PGInterval.java | PGInterval.getValue | public String getValue() {
return years + " years "
+ months + " mons "
+ days + " days "
+ hours + " hours "
+ minutes + " mins "
+ secondsFormat.format(seconds) + " secs";
} | java | public String getValue() {
return years + " years "
+ months + " mons "
+ days + " days "
+ hours + " hours "
+ minutes + " mins "
+ secondsFormat.format(seconds) + " secs";
} | [
"public",
"String",
"getValue",
"(",
")",
"{",
"return",
"years",
"+",
"\" years \"",
"+",
"months",
"+",
"\" mons \"",
"+",
"days",
"+",
"\" days \"",
"+",
"hours",
"+",
"\" hours \"",
"+",
"minutes",
"+",
"\" mins \"",
"+",
"secondsFormat",
".",
"format",
... | Returns the stored interval information as a string.
@return String represented interval | [
"Returns",
"the",
"stored",
"interval",
"information",
"as",
"a",
"string",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/util/PGInterval.java#L188-L195 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/util/PGInterval.java | PGInterval.add | public void add(Calendar cal) {
// Avoid precision loss
// Be aware postgres doesn't return more than 60 seconds - no overflow can happen
final int microseconds = (int) (getSeconds() * 1000000.0);
final int milliseconds = (microseconds + ((microseconds < 0) ? -500 : 500)) / 1000;
cal.add(Calendar.MILLISECOND, milliseconds);
cal.add(Calendar.MINUTE, getMinutes());
cal.add(Calendar.HOUR, getHours());
cal.add(Calendar.DAY_OF_MONTH, getDays());
cal.add(Calendar.MONTH, getMonths());
cal.add(Calendar.YEAR, getYears());
} | java | public void add(Calendar cal) {
// Avoid precision loss
// Be aware postgres doesn't return more than 60 seconds - no overflow can happen
final int microseconds = (int) (getSeconds() * 1000000.0);
final int milliseconds = (microseconds + ((microseconds < 0) ? -500 : 500)) / 1000;
cal.add(Calendar.MILLISECOND, milliseconds);
cal.add(Calendar.MINUTE, getMinutes());
cal.add(Calendar.HOUR, getHours());
cal.add(Calendar.DAY_OF_MONTH, getDays());
cal.add(Calendar.MONTH, getMonths());
cal.add(Calendar.YEAR, getYears());
} | [
"public",
"void",
"add",
"(",
"Calendar",
"cal",
")",
"{",
"// Avoid precision loss",
"// Be aware postgres doesn't return more than 60 seconds - no overflow can happen",
"final",
"int",
"microseconds",
"=",
"(",
"int",
")",
"(",
"getSeconds",
"(",
")",
"*",
"1000000.0",
... | Rolls this interval on a given calendar.
@param cal Calendar instance to add to | [
"Rolls",
"this",
"interval",
"on",
"a",
"given",
"calendar",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/util/PGInterval.java#L310-L322 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/util/PGInterval.java | PGInterval.add | public void add(Date date) {
final Calendar cal = Calendar.getInstance();
cal.setTime(date);
add(cal);
date.setTime(cal.getTime().getTime());
} | java | public void add(Date date) {
final Calendar cal = Calendar.getInstance();
cal.setTime(date);
add(cal);
date.setTime(cal.getTime().getTime());
} | [
"public",
"void",
"add",
"(",
"Date",
"date",
")",
"{",
"final",
"Calendar",
"cal",
"=",
"Calendar",
".",
"getInstance",
"(",
")",
";",
"cal",
".",
"setTime",
"(",
"date",
")",
";",
"add",
"(",
"cal",
")",
";",
"date",
".",
"setTime",
"(",
"cal",
... | Rolls this interval on a given date.
@param date Date instance to add to | [
"Rolls",
"this",
"interval",
"on",
"a",
"given",
"date",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/util/PGInterval.java#L329-L334 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/util/PGInterval.java | PGInterval.add | public void add(PGInterval interval) {
interval.setYears(interval.getYears() + getYears());
interval.setMonths(interval.getMonths() + getMonths());
interval.setDays(interval.getDays() + getDays());
interval.setHours(interval.getHours() + getHours());
interval.setMinutes(interval.getMinutes() + getMinutes());
interval.setSeconds(interval.getSeconds() + getSeconds());
} | java | public void add(PGInterval interval) {
interval.setYears(interval.getYears() + getYears());
interval.setMonths(interval.getMonths() + getMonths());
interval.setDays(interval.getDays() + getDays());
interval.setHours(interval.getHours() + getHours());
interval.setMinutes(interval.getMinutes() + getMinutes());
interval.setSeconds(interval.getSeconds() + getSeconds());
} | [
"public",
"void",
"add",
"(",
"PGInterval",
"interval",
")",
"{",
"interval",
".",
"setYears",
"(",
"interval",
".",
"getYears",
"(",
")",
"+",
"getYears",
"(",
")",
")",
";",
"interval",
".",
"setMonths",
"(",
"interval",
".",
"getMonths",
"(",
")",
"... | Add this interval's value to the passed interval. This is backwards to what I would expect, but
this makes it match the other existing add methods.
@param interval intval to add | [
"Add",
"this",
"interval",
"s",
"value",
"to",
"the",
"passed",
"interval",
".",
"This",
"is",
"backwards",
"to",
"what",
"I",
"would",
"expect",
"but",
"this",
"makes",
"it",
"match",
"the",
"other",
"existing",
"add",
"methods",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/util/PGInterval.java#L342-L349 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgConnection.java | PgConnection.addWarning | public void addWarning(SQLWarning warn) {
// Add the warning to the chain
if (firstWarning != null) {
firstWarning.setNextWarning(warn);
} else {
firstWarning = warn;
}
} | java | public void addWarning(SQLWarning warn) {
// Add the warning to the chain
if (firstWarning != null) {
firstWarning.setNextWarning(warn);
} else {
firstWarning = warn;
}
} | [
"public",
"void",
"addWarning",
"(",
"SQLWarning",
"warn",
")",
"{",
"// Add the warning to the chain",
"if",
"(",
"firstWarning",
"!=",
"null",
")",
"{",
"firstWarning",
".",
"setNextWarning",
"(",
"warn",
")",
";",
"}",
"else",
"{",
"firstWarning",
"=",
"war... | This adds a warning to the warning chain.
@param warn warning to add | [
"This",
"adds",
"a",
"warning",
"to",
"the",
"warning",
"chain",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgConnection.java#L398-L406 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgConnection.java | PgConnection.initObjectTypes | private void initObjectTypes(Properties info) throws SQLException {
// Add in the types that come packaged with the driver.
// These can be overridden later if desired.
addDataType("box", org.postgresql.geometric.PGbox.class);
addDataType("circle", org.postgresql.geometric.PGcircle.class);
addDataType("line", org.postgresql.geometric.PGline.class);
addDataType("lseg", org.postgresql.geometric.PGlseg.class);
addDataType("path", org.postgresql.geometric.PGpath.class);
addDataType("point", org.postgresql.geometric.PGpoint.class);
addDataType("polygon", org.postgresql.geometric.PGpolygon.class);
addDataType("money", org.postgresql.util.PGmoney.class);
addDataType("interval", org.postgresql.util.PGInterval.class);
Enumeration<?> e = info.propertyNames();
while (e.hasMoreElements()) {
String propertyName = (String) e.nextElement();
if (propertyName.startsWith("datatype.")) {
String typeName = propertyName.substring(9);
String className = info.getProperty(propertyName);
Class<?> klass;
try {
klass = Class.forName(className);
} catch (ClassNotFoundException cnfe) {
throw new PSQLException(
GT.tr("Unable to load the class {0} responsible for the datatype {1}",
className, typeName),
PSQLState.SYSTEM_ERROR, cnfe);
}
addDataType(typeName, klass.asSubclass(PGobject.class));
}
}
} | java | private void initObjectTypes(Properties info) throws SQLException {
// Add in the types that come packaged with the driver.
// These can be overridden later if desired.
addDataType("box", org.postgresql.geometric.PGbox.class);
addDataType("circle", org.postgresql.geometric.PGcircle.class);
addDataType("line", org.postgresql.geometric.PGline.class);
addDataType("lseg", org.postgresql.geometric.PGlseg.class);
addDataType("path", org.postgresql.geometric.PGpath.class);
addDataType("point", org.postgresql.geometric.PGpoint.class);
addDataType("polygon", org.postgresql.geometric.PGpolygon.class);
addDataType("money", org.postgresql.util.PGmoney.class);
addDataType("interval", org.postgresql.util.PGInterval.class);
Enumeration<?> e = info.propertyNames();
while (e.hasMoreElements()) {
String propertyName = (String) e.nextElement();
if (propertyName.startsWith("datatype.")) {
String typeName = propertyName.substring(9);
String className = info.getProperty(propertyName);
Class<?> klass;
try {
klass = Class.forName(className);
} catch (ClassNotFoundException cnfe) {
throw new PSQLException(
GT.tr("Unable to load the class {0} responsible for the datatype {1}",
className, typeName),
PSQLState.SYSTEM_ERROR, cnfe);
}
addDataType(typeName, klass.asSubclass(PGobject.class));
}
}
} | [
"private",
"void",
"initObjectTypes",
"(",
"Properties",
"info",
")",
"throws",
"SQLException",
"{",
"// Add in the types that come packaged with the driver.",
"// These can be overridden later if desired.",
"addDataType",
"(",
"\"box\"",
",",
"org",
".",
"postgresql",
".",
"... | This initialises the objectTypes hash map | [
"This",
"initialises",
"the",
"objectTypes",
"hash",
"map"
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgConnection.java#L618-L651 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgConnection.java | PgConnection.getServerMajorVersion | public int getServerMajorVersion() {
try {
StringTokenizer versionTokens = new StringTokenizer(queryExecutor.getServerVersion(), "."); // aaXbb.ccYdd
return integerPart(versionTokens.nextToken()); // return X
} catch (NoSuchElementException e) {
return 0;
}
} | java | public int getServerMajorVersion() {
try {
StringTokenizer versionTokens = new StringTokenizer(queryExecutor.getServerVersion(), "."); // aaXbb.ccYdd
return integerPart(versionTokens.nextToken()); // return X
} catch (NoSuchElementException e) {
return 0;
}
} | [
"public",
"int",
"getServerMajorVersion",
"(",
")",
"{",
"try",
"{",
"StringTokenizer",
"versionTokens",
"=",
"new",
"StringTokenizer",
"(",
"queryExecutor",
".",
"getServerVersion",
"(",
")",
",",
"\".\"",
")",
";",
"// aaXbb.ccYdd",
"return",
"integerPart",
"(",... | Get server major version.
@return server major version | [
"Get",
"server",
"major",
"version",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgConnection.java#L916-L923 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgConnection.java | PgConnection.integerPart | private static int integerPart(String dirtyString) {
int start = 0;
while (start < dirtyString.length() && !Character.isDigit(dirtyString.charAt(start))) {
++start;
}
int end = start;
while (end < dirtyString.length() && Character.isDigit(dirtyString.charAt(end))) {
++end;
}
if (start == end) {
return 0;
}
return Integer.parseInt(dirtyString.substring(start, end));
} | java | private static int integerPart(String dirtyString) {
int start = 0;
while (start < dirtyString.length() && !Character.isDigit(dirtyString.charAt(start))) {
++start;
}
int end = start;
while (end < dirtyString.length() && Character.isDigit(dirtyString.charAt(end))) {
++end;
}
if (start == end) {
return 0;
}
return Integer.parseInt(dirtyString.substring(start, end));
} | [
"private",
"static",
"int",
"integerPart",
"(",
"String",
"dirtyString",
")",
"{",
"int",
"start",
"=",
"0",
";",
"while",
"(",
"start",
"<",
"dirtyString",
".",
"length",
"(",
")",
"&&",
"!",
"Character",
".",
"isDigit",
"(",
"dirtyString",
".",
"charAt... | Parse a "dirty" integer surrounded by non-numeric characters | [
"Parse",
"a",
"dirty",
"integer",
"surrounded",
"by",
"non",
"-",
"numeric",
"characters"
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgConnection.java#L1189-L1206 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/replication/LogSequenceNumber.java | LogSequenceNumber.valueOf | public static LogSequenceNumber valueOf(String strValue) {
int slashIndex = strValue.lastIndexOf('/');
if (slashIndex <= 0) {
return INVALID_LSN;
}
String logicalXLogStr = strValue.substring(0, slashIndex);
int logicalXlog = (int) Long.parseLong(logicalXLogStr, 16);
String segmentStr = strValue.substring(slashIndex + 1, strValue.length());
int segment = (int) Long.parseLong(segmentStr, 16);
ByteBuffer buf = ByteBuffer.allocate(8);
buf.putInt(logicalXlog);
buf.putInt(segment);
buf.position(0);
long value = buf.getLong();
return LogSequenceNumber.valueOf(value);
} | java | public static LogSequenceNumber valueOf(String strValue) {
int slashIndex = strValue.lastIndexOf('/');
if (slashIndex <= 0) {
return INVALID_LSN;
}
String logicalXLogStr = strValue.substring(0, slashIndex);
int logicalXlog = (int) Long.parseLong(logicalXLogStr, 16);
String segmentStr = strValue.substring(slashIndex + 1, strValue.length());
int segment = (int) Long.parseLong(segmentStr, 16);
ByteBuffer buf = ByteBuffer.allocate(8);
buf.putInt(logicalXlog);
buf.putInt(segment);
buf.position(0);
long value = buf.getLong();
return LogSequenceNumber.valueOf(value);
} | [
"public",
"static",
"LogSequenceNumber",
"valueOf",
"(",
"String",
"strValue",
")",
"{",
"int",
"slashIndex",
"=",
"strValue",
".",
"lastIndexOf",
"(",
"'",
"'",
")",
";",
"if",
"(",
"slashIndex",
"<=",
"0",
")",
"{",
"return",
"INVALID_LSN",
";",
"}",
"... | Create LSN instance by string represent LSN.
@param strValue not null string as two hexadecimal numbers of up to 8 digits each, separated by
a slash. For example {@code 16/3002D50}, {@code 0/15D68C50}
@return not null LSN instance where if specified string represent have not valid form {@link
LogSequenceNumber#INVALID_LSN} | [
"Create",
"LSN",
"instance",
"by",
"string",
"represent",
"LSN",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/replication/LogSequenceNumber.java#L42-L61 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgClob.java | PgClob.position | public synchronized long position(String pattern, long start) throws SQLException {
checkFreed();
throw org.postgresql.Driver.notImplemented(this.getClass(), "position(String,long)");
} | java | public synchronized long position(String pattern, long start) throws SQLException {
checkFreed();
throw org.postgresql.Driver.notImplemented(this.getClass(), "position(String,long)");
} | [
"public",
"synchronized",
"long",
"position",
"(",
"String",
"pattern",
",",
"long",
"start",
")",
"throws",
"SQLException",
"{",
"checkFreed",
"(",
")",
";",
"throw",
"org",
".",
"postgresql",
".",
"Driver",
".",
"notImplemented",
"(",
"this",
".",
"getClas... | For now, this is not implemented. | [
"For",
"now",
"this",
"is",
"not",
"implemented",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgClob.java#L64-L67 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/BooleanTypeUtil.java | BooleanTypeUtil.castToBoolean | static boolean castToBoolean(final Object in) throws PSQLException {
if (LOGGER.isLoggable(Level.FINE)) {
LOGGER.log(Level.FINE, "Cast to boolean: \"{0}\"", String.valueOf(in));
}
if (in instanceof Boolean) {
return (Boolean) in;
}
if (in instanceof String) {
return fromString((String) in);
}
if (in instanceof Character) {
return fromCharacter((Character) in);
}
if (in instanceof Number) {
return fromNumber((Number) in);
}
throw new PSQLException("Cannot cast to boolean", PSQLState.CANNOT_COERCE);
} | java | static boolean castToBoolean(final Object in) throws PSQLException {
if (LOGGER.isLoggable(Level.FINE)) {
LOGGER.log(Level.FINE, "Cast to boolean: \"{0}\"", String.valueOf(in));
}
if (in instanceof Boolean) {
return (Boolean) in;
}
if (in instanceof String) {
return fromString((String) in);
}
if (in instanceof Character) {
return fromCharacter((Character) in);
}
if (in instanceof Number) {
return fromNumber((Number) in);
}
throw new PSQLException("Cannot cast to boolean", PSQLState.CANNOT_COERCE);
} | [
"static",
"boolean",
"castToBoolean",
"(",
"final",
"Object",
"in",
")",
"throws",
"PSQLException",
"{",
"if",
"(",
"LOGGER",
".",
"isLoggable",
"(",
"Level",
".",
"FINE",
")",
")",
"{",
"LOGGER",
".",
"log",
"(",
"Level",
".",
"FINE",
",",
"\"Cast to bo... | Cast an Object value to the corresponding boolean value.
@param in Object to cast into boolean
@return boolean value corresponding to the cast of the object
@throws PSQLException PSQLState.CANNOT_COERCE | [
"Cast",
"an",
"Object",
"value",
"to",
"the",
"corresponding",
"boolean",
"value",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/BooleanTypeUtil.java#L35-L52 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/UTF8Encoding.java | UTF8Encoding.checkByte | private static void checkByte(int ch, int pos, int len) throws IOException {
if ((ch & 0xc0) != 0x80) {
throw new IOException(
GT.tr("Illegal UTF-8 sequence: byte {0} of {1} byte sequence is not 10xxxxxx: {2}",
pos, len, ch));
}
} | java | private static void checkByte(int ch, int pos, int len) throws IOException {
if ((ch & 0xc0) != 0x80) {
throw new IOException(
GT.tr("Illegal UTF-8 sequence: byte {0} of {1} byte sequence is not 10xxxxxx: {2}",
pos, len, ch));
}
} | [
"private",
"static",
"void",
"checkByte",
"(",
"int",
"ch",
",",
"int",
"pos",
",",
"int",
"len",
")",
"throws",
"IOException",
"{",
"if",
"(",
"(",
"ch",
"&",
"0xc0",
")",
"!=",
"0x80",
")",
"{",
"throw",
"new",
"IOException",
"(",
"GT",
".",
"tr"... | helper for decode | [
"helper",
"for",
"decode"
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/UTF8Encoding.java#L25-L31 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgDatabaseMetaData.java | PgDatabaseMetaData.getMaxIndexKeys | protected int getMaxIndexKeys() throws SQLException {
if (indexMaxKeys == 0) {
String sql;
sql = "SELECT setting FROM pg_catalog.pg_settings WHERE name='max_index_keys'";
Statement stmt = connection.createStatement();
ResultSet rs = null;
try {
rs = stmt.executeQuery(sql);
if (!rs.next()) {
stmt.close();
throw new PSQLException(
GT.tr(
"Unable to determine a value for MaxIndexKeys due to missing system catalog data."),
PSQLState.UNEXPECTED_ERROR);
}
indexMaxKeys = rs.getInt(1);
} finally {
JdbcBlackHole.close(rs);
JdbcBlackHole.close(stmt);
}
}
return indexMaxKeys;
} | java | protected int getMaxIndexKeys() throws SQLException {
if (indexMaxKeys == 0) {
String sql;
sql = "SELECT setting FROM pg_catalog.pg_settings WHERE name='max_index_keys'";
Statement stmt = connection.createStatement();
ResultSet rs = null;
try {
rs = stmt.executeQuery(sql);
if (!rs.next()) {
stmt.close();
throw new PSQLException(
GT.tr(
"Unable to determine a value for MaxIndexKeys due to missing system catalog data."),
PSQLState.UNEXPECTED_ERROR);
}
indexMaxKeys = rs.getInt(1);
} finally {
JdbcBlackHole.close(rs);
JdbcBlackHole.close(stmt);
}
}
return indexMaxKeys;
} | [
"protected",
"int",
"getMaxIndexKeys",
"(",
")",
"throws",
"SQLException",
"{",
"if",
"(",
"indexMaxKeys",
"==",
"0",
")",
"{",
"String",
"sql",
";",
"sql",
"=",
"\"SELECT setting FROM pg_catalog.pg_settings WHERE name='max_index_keys'\"",
";",
"Statement",
"stmt",
"=... | maximum number of keys in an index. | [
"maximum",
"number",
"of",
"keys",
"in",
"an",
"index",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgDatabaseMetaData.java#L46-L69 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgDatabaseMetaData.java | PgDatabaseMetaData.escapeQuotes | protected String escapeQuotes(String s) throws SQLException {
StringBuilder sb = new StringBuilder();
if (!connection.getStandardConformingStrings()) {
sb.append("E");
}
sb.append("'");
sb.append(connection.escapeString(s));
sb.append("'");
return sb.toString();
} | java | protected String escapeQuotes(String s) throws SQLException {
StringBuilder sb = new StringBuilder();
if (!connection.getStandardConformingStrings()) {
sb.append("E");
}
sb.append("'");
sb.append(connection.escapeString(s));
sb.append("'");
return sb.toString();
} | [
"protected",
"String",
"escapeQuotes",
"(",
"String",
"s",
")",
"throws",
"SQLException",
"{",
"StringBuilder",
"sb",
"=",
"new",
"StringBuilder",
"(",
")",
";",
"if",
"(",
"!",
"connection",
".",
"getStandardConformingStrings",
"(",
")",
")",
"{",
"sb",
"."... | Turn the provided value into a valid string literal for direct inclusion into a query. This
includes the single quotes needed around it.
@param s input value
@return string literal for direct inclusion into a query
@throws SQLException if something wrong happens | [
"Turn",
"the",
"provided",
"value",
"into",
"a",
"valid",
"string",
"literal",
"for",
"direct",
"inclusion",
"into",
"a",
"query",
".",
"This",
"includes",
"the",
"single",
"quotes",
"needed",
"around",
"it",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgDatabaseMetaData.java#L1011-L1020 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgDatabaseMetaData.java | PgDatabaseMetaData.parseACLArray | private static List<String> parseACLArray(String aclString) {
List<String> acls = new ArrayList<String>();
if (aclString == null || aclString.isEmpty()) {
return acls;
}
boolean inQuotes = false;
// start at 1 because of leading "{"
int beginIndex = 1;
char prevChar = ' ';
for (int i = beginIndex; i < aclString.length(); i++) {
char c = aclString.charAt(i);
if (c == '"' && prevChar != '\\') {
inQuotes = !inQuotes;
} else if (c == ',' && !inQuotes) {
acls.add(aclString.substring(beginIndex, i));
beginIndex = i + 1;
}
prevChar = c;
}
// add last element removing the trailing "}"
acls.add(aclString.substring(beginIndex, aclString.length() - 1));
// Strip out enclosing quotes, if any.
for (int i = 0; i < acls.size(); i++) {
String acl = acls.get(i);
if (acl.startsWith("\"") && acl.endsWith("\"")) {
acl = acl.substring(1, acl.length() - 1);
acls.set(i, acl);
}
}
return acls;
} | java | private static List<String> parseACLArray(String aclString) {
List<String> acls = new ArrayList<String>();
if (aclString == null || aclString.isEmpty()) {
return acls;
}
boolean inQuotes = false;
// start at 1 because of leading "{"
int beginIndex = 1;
char prevChar = ' ';
for (int i = beginIndex; i < aclString.length(); i++) {
char c = aclString.charAt(i);
if (c == '"' && prevChar != '\\') {
inQuotes = !inQuotes;
} else if (c == ',' && !inQuotes) {
acls.add(aclString.substring(beginIndex, i));
beginIndex = i + 1;
}
prevChar = c;
}
// add last element removing the trailing "}"
acls.add(aclString.substring(beginIndex, aclString.length() - 1));
// Strip out enclosing quotes, if any.
for (int i = 0; i < acls.size(); i++) {
String acl = acls.get(i);
if (acl.startsWith("\"") && acl.endsWith("\"")) {
acl = acl.substring(1, acl.length() - 1);
acls.set(i, acl);
}
}
return acls;
} | [
"private",
"static",
"List",
"<",
"String",
">",
"parseACLArray",
"(",
"String",
"aclString",
")",
"{",
"List",
"<",
"String",
">",
"acls",
"=",
"new",
"ArrayList",
"<",
"String",
">",
"(",
")",
";",
"if",
"(",
"aclString",
"==",
"null",
"||",
"aclStri... | Parse an String of ACLs into a List of ACLs. | [
"Parse",
"an",
"String",
"of",
"ACLs",
"into",
"a",
"List",
"of",
"ACLs",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgDatabaseMetaData.java#L1793-L1825 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/util/ObjectFactory.java | ObjectFactory.instantiate | public static Object instantiate(String classname, Properties info, boolean tryString,
String stringarg) throws ClassNotFoundException, SecurityException, NoSuchMethodException,
IllegalArgumentException, InstantiationException, IllegalAccessException,
InvocationTargetException {
Object[] args = {info};
Constructor<?> ctor = null;
Class<?> cls = Class.forName(classname);
try {
ctor = cls.getConstructor(Properties.class);
} catch (NoSuchMethodException nsme) {
if (tryString) {
try {
ctor = cls.getConstructor(String.class);
args = new String[]{stringarg};
} catch (NoSuchMethodException nsme2) {
tryString = false;
}
}
if (!tryString) {
ctor = cls.getConstructor((Class[]) null);
args = null;
}
}
return ctor.newInstance(args);
} | java | public static Object instantiate(String classname, Properties info, boolean tryString,
String stringarg) throws ClassNotFoundException, SecurityException, NoSuchMethodException,
IllegalArgumentException, InstantiationException, IllegalAccessException,
InvocationTargetException {
Object[] args = {info};
Constructor<?> ctor = null;
Class<?> cls = Class.forName(classname);
try {
ctor = cls.getConstructor(Properties.class);
} catch (NoSuchMethodException nsme) {
if (tryString) {
try {
ctor = cls.getConstructor(String.class);
args = new String[]{stringarg};
} catch (NoSuchMethodException nsme2) {
tryString = false;
}
}
if (!tryString) {
ctor = cls.getConstructor((Class[]) null);
args = null;
}
}
return ctor.newInstance(args);
} | [
"public",
"static",
"Object",
"instantiate",
"(",
"String",
"classname",
",",
"Properties",
"info",
",",
"boolean",
"tryString",
",",
"String",
"stringarg",
")",
"throws",
"ClassNotFoundException",
",",
"SecurityException",
",",
"NoSuchMethodException",
",",
"IllegalA... | Instantiates a class using the appropriate constructor. If a constructor with a single
Propertiesparameter exists, it is used. Otherwise, if tryString is true a constructor with a
single String argument is searched if it fails, or tryString is true a no argument constructor
is tried.
@param classname name of the class to instantiate
@param info parameter to pass as Properties
@param tryString whether to look for a single String argument constructor
@param stringarg parameter to pass as String
@return the instantiated class
@throws ClassNotFoundException if something goes wrong
@throws SecurityException if something goes wrong
@throws NoSuchMethodException if something goes wrong
@throws IllegalArgumentException if something goes wrong
@throws InstantiationException if something goes wrong
@throws IllegalAccessException if something goes wrong
@throws InvocationTargetException if something goes wrong | [
"Instantiates",
"a",
"class",
"using",
"the",
"appropriate",
"constructor",
".",
"If",
"a",
"constructor",
"with",
"a",
"single",
"Propertiesparameter",
"exists",
"it",
"is",
"used",
".",
"Otherwise",
"if",
"tryString",
"is",
"true",
"a",
"constructor",
"with",
... | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/util/ObjectFactory.java#L37-L61 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgResultSet.java | PgResultSet.isUpdateable | boolean isUpdateable() throws SQLException {
checkClosed();
if (resultsetconcurrency == ResultSet.CONCUR_READ_ONLY) {
throw new PSQLException(
GT.tr("ResultSets with concurrency CONCUR_READ_ONLY cannot be updated."),
PSQLState.INVALID_CURSOR_STATE);
}
if (updateable) {
return true;
}
connection.getLogger().log(Level.FINE, "checking if rs is updateable");
parseQuery();
if (!singleTable) {
connection.getLogger().log(Level.FINE, "not a single table");
return false;
}
connection.getLogger().log(Level.FINE, "getting primary keys");
//
// Contains the primary key?
//
primaryKeys = new ArrayList<PrimaryKey>();
// this is not strictly jdbc spec, but it will make things much faster if used
// the user has to select oid, * from table and then we will just use oid
usingOID = false;
int oidIndex = findColumnIndex("oid"); // 0 if not present
int i = 0;
int numPKcolumns = 0;
// if we find the oid then just use it
// oidIndex will be >0 if the oid was in the select list
if (oidIndex > 0) {
i++;
numPKcolumns++;
primaryKeys.add(new PrimaryKey(oidIndex, "oid"));
usingOID = true;
} else {
// otherwise go and get the primary keys and create a list of keys
String[] s = quotelessTableName(tableName);
String quotelessTableName = s[0];
String quotelessSchemaName = s[1];
java.sql.ResultSet rs = connection.getMetaData().getPrimaryKeys("",
quotelessSchemaName, quotelessTableName);
while (rs.next()) {
numPKcolumns++;
String columnName = rs.getString(4); // get the columnName
int index = findColumnIndex(columnName);
if (index > 0) {
i++;
primaryKeys.add(new PrimaryKey(index, columnName)); // get the primary key information
}
}
rs.close();
}
connection.getLogger().log(Level.FINE, "no of keys={0}", i);
if (i < 1) {
throw new PSQLException(GT.tr("No primary key found for table {0}.", tableName),
PSQLState.DATA_ERROR);
}
updateable = (i == numPKcolumns);
connection.getLogger().log(Level.FINE, "checking primary key {0}", updateable);
return updateable;
} | java | boolean isUpdateable() throws SQLException {
checkClosed();
if (resultsetconcurrency == ResultSet.CONCUR_READ_ONLY) {
throw new PSQLException(
GT.tr("ResultSets with concurrency CONCUR_READ_ONLY cannot be updated."),
PSQLState.INVALID_CURSOR_STATE);
}
if (updateable) {
return true;
}
connection.getLogger().log(Level.FINE, "checking if rs is updateable");
parseQuery();
if (!singleTable) {
connection.getLogger().log(Level.FINE, "not a single table");
return false;
}
connection.getLogger().log(Level.FINE, "getting primary keys");
//
// Contains the primary key?
//
primaryKeys = new ArrayList<PrimaryKey>();
// this is not strictly jdbc spec, but it will make things much faster if used
// the user has to select oid, * from table and then we will just use oid
usingOID = false;
int oidIndex = findColumnIndex("oid"); // 0 if not present
int i = 0;
int numPKcolumns = 0;
// if we find the oid then just use it
// oidIndex will be >0 if the oid was in the select list
if (oidIndex > 0) {
i++;
numPKcolumns++;
primaryKeys.add(new PrimaryKey(oidIndex, "oid"));
usingOID = true;
} else {
// otherwise go and get the primary keys and create a list of keys
String[] s = quotelessTableName(tableName);
String quotelessTableName = s[0];
String quotelessSchemaName = s[1];
java.sql.ResultSet rs = connection.getMetaData().getPrimaryKeys("",
quotelessSchemaName, quotelessTableName);
while (rs.next()) {
numPKcolumns++;
String columnName = rs.getString(4); // get the columnName
int index = findColumnIndex(columnName);
if (index > 0) {
i++;
primaryKeys.add(new PrimaryKey(index, columnName)); // get the primary key information
}
}
rs.close();
}
connection.getLogger().log(Level.FINE, "no of keys={0}", i);
if (i < 1) {
throw new PSQLException(GT.tr("No primary key found for table {0}.", tableName),
PSQLState.DATA_ERROR);
}
updateable = (i == numPKcolumns);
connection.getLogger().log(Level.FINE, "checking primary key {0}", updateable);
return updateable;
} | [
"boolean",
"isUpdateable",
"(",
")",
"throws",
"SQLException",
"{",
"checkClosed",
"(",
")",
";",
"if",
"(",
"resultsetconcurrency",
"==",
"ResultSet",
".",
"CONCUR_READ_ONLY",
")",
"{",
"throw",
"new",
"PSQLException",
"(",
"GT",
".",
"tr",
"(",
"\"ResultSets... | Is this ResultSet updateable? | [
"Is",
"this",
"ResultSet",
"updateable?"
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgResultSet.java#L1471-L1553 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgResultSet.java | PgResultSet.readDoubleValue | private double readDoubleValue(byte[] bytes, int oid, String targetType) throws PSQLException {
// currently implemented binary encoded fields
switch (oid) {
case Oid.INT2:
return ByteConverter.int2(bytes, 0);
case Oid.INT4:
return ByteConverter.int4(bytes, 0);
case Oid.INT8:
// might not fit but there still should be no overflow checking
return ByteConverter.int8(bytes, 0);
case Oid.FLOAT4:
return ByteConverter.float4(bytes, 0);
case Oid.FLOAT8:
return ByteConverter.float8(bytes, 0);
}
throw new PSQLException(GT.tr("Cannot convert the column of type {0} to requested type {1}.",
Oid.toString(oid), targetType), PSQLState.DATA_TYPE_MISMATCH);
} | java | private double readDoubleValue(byte[] bytes, int oid, String targetType) throws PSQLException {
// currently implemented binary encoded fields
switch (oid) {
case Oid.INT2:
return ByteConverter.int2(bytes, 0);
case Oid.INT4:
return ByteConverter.int4(bytes, 0);
case Oid.INT8:
// might not fit but there still should be no overflow checking
return ByteConverter.int8(bytes, 0);
case Oid.FLOAT4:
return ByteConverter.float4(bytes, 0);
case Oid.FLOAT8:
return ByteConverter.float8(bytes, 0);
}
throw new PSQLException(GT.tr("Cannot convert the column of type {0} to requested type {1}.",
Oid.toString(oid), targetType), PSQLState.DATA_TYPE_MISMATCH);
} | [
"private",
"double",
"readDoubleValue",
"(",
"byte",
"[",
"]",
"bytes",
",",
"int",
"oid",
",",
"String",
"targetType",
")",
"throws",
"PSQLException",
"{",
"// currently implemented binary encoded fields",
"switch",
"(",
"oid",
")",
"{",
"case",
"Oid",
".",
"IN... | Converts any numeric binary field to double value. This method does no overflow checking.
@param bytes The bytes of the numeric field.
@param oid The oid of the field.
@param targetType The target type. Used for error reporting.
@return The value as double.
@throws PSQLException If the field type is not supported numeric type. | [
"Converts",
"any",
"numeric",
"binary",
"field",
"to",
"double",
"value",
".",
"This",
"method",
"does",
"no",
"overflow",
"checking",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgResultSet.java#L2952-L2969 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/v3/ConnectionFactoryImpl.java | ConnectionFactoryImpl.createPostgresTimeZone | private static String createPostgresTimeZone() {
String tz = TimeZone.getDefault().getID();
if (tz.length() <= 3 || !tz.startsWith("GMT")) {
return tz;
}
char sign = tz.charAt(3);
String start;
switch (sign) {
case '+':
start = "GMT-";
break;
case '-':
start = "GMT+";
break;
default:
// unknown type
return tz;
}
return start + tz.substring(4);
} | java | private static String createPostgresTimeZone() {
String tz = TimeZone.getDefault().getID();
if (tz.length() <= 3 || !tz.startsWith("GMT")) {
return tz;
}
char sign = tz.charAt(3);
String start;
switch (sign) {
case '+':
start = "GMT-";
break;
case '-':
start = "GMT+";
break;
default:
// unknown type
return tz;
}
return start + tz.substring(4);
} | [
"private",
"static",
"String",
"createPostgresTimeZone",
"(",
")",
"{",
"String",
"tz",
"=",
"TimeZone",
".",
"getDefault",
"(",
")",
".",
"getID",
"(",
")",
";",
"if",
"(",
"tz",
".",
"length",
"(",
")",
"<=",
"3",
"||",
"!",
"tz",
".",
"startsWith"... | Convert Java time zone to postgres time zone. All others stay the same except that GMT+nn
changes to GMT-nn and vise versa.
@return The current JVM time zone in postgresql format. | [
"Convert",
"Java",
"time",
"zone",
"to",
"postgres",
"time",
"zone",
".",
"All",
"others",
"stay",
"the",
"same",
"except",
"that",
"GMT",
"+",
"nn",
"changes",
"to",
"GMT",
"-",
"nn",
"and",
"vise",
"versa",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/v3/ConnectionFactoryImpl.java#L369-L389 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/largeobject/LargeObject.java | LargeObject.close | public void close() throws SQLException {
if (!closed) {
// flush any open output streams
if (os != null) {
try {
// we can't call os.close() otherwise we go into an infinite loop!
os.flush();
} catch (IOException ioe) {
throw new PSQLException("Exception flushing output stream", PSQLState.DATA_ERROR, ioe);
} finally {
os = null;
}
}
// finally close
FastpathArg[] args = new FastpathArg[1];
args[0] = new FastpathArg(fd);
fp.fastpath("lo_close", args); // true here as we dont care!!
closed = true;
if (this.commitOnClose) {
this.conn.commit();
}
}
} | java | public void close() throws SQLException {
if (!closed) {
// flush any open output streams
if (os != null) {
try {
// we can't call os.close() otherwise we go into an infinite loop!
os.flush();
} catch (IOException ioe) {
throw new PSQLException("Exception flushing output stream", PSQLState.DATA_ERROR, ioe);
} finally {
os = null;
}
}
// finally close
FastpathArg[] args = new FastpathArg[1];
args[0] = new FastpathArg(fd);
fp.fastpath("lo_close", args); // true here as we dont care!!
closed = true;
if (this.commitOnClose) {
this.conn.commit();
}
}
} | [
"public",
"void",
"close",
"(",
")",
"throws",
"SQLException",
"{",
"if",
"(",
"!",
"closed",
")",
"{",
"// flush any open output streams",
"if",
"(",
"os",
"!=",
"null",
")",
"{",
"try",
"{",
"// we can't call os.close() otherwise we go into an infinite loop!",
"os... | This method closes the object. You must not call methods in this object after this is called.
@throws SQLException if a database-access error occurs. | [
"This",
"method",
"closes",
"the",
"object",
".",
"You",
"must",
"not",
"call",
"methods",
"in",
"this",
"object",
"after",
"this",
"is",
"called",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/largeobject/LargeObject.java#L156-L179 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/largeobject/LargeObject.java | LargeObject.read | public int read(byte[] buf, int off, int len) throws SQLException {
byte[] b = read(len);
if (b.length < len) {
len = b.length;
}
System.arraycopy(b, 0, buf, off, len);
return len;
} | java | public int read(byte[] buf, int off, int len) throws SQLException {
byte[] b = read(len);
if (b.length < len) {
len = b.length;
}
System.arraycopy(b, 0, buf, off, len);
return len;
} | [
"public",
"int",
"read",
"(",
"byte",
"[",
"]",
"buf",
",",
"int",
"off",
",",
"int",
"len",
")",
"throws",
"SQLException",
"{",
"byte",
"[",
"]",
"b",
"=",
"read",
"(",
"len",
")",
";",
"if",
"(",
"b",
".",
"length",
"<",
"len",
")",
"{",
"l... | Reads some data from the object into an existing array.
@param buf destination array
@param off offset within array
@param len number of bytes to read
@return the number of bytes actually read
@throws SQLException if a database-access error occurs. | [
"Reads",
"some",
"data",
"from",
"the",
"object",
"into",
"an",
"existing",
"array",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/largeobject/LargeObject.java#L206-L213 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/largeobject/LargeObject.java | LargeObject.write | public void write(byte[] buf, int off, int len) throws SQLException {
FastpathArg[] args = new FastpathArg[2];
args[0] = new FastpathArg(fd);
args[1] = new FastpathArg(buf, off, len);
fp.fastpath("lowrite", args);
} | java | public void write(byte[] buf, int off, int len) throws SQLException {
FastpathArg[] args = new FastpathArg[2];
args[0] = new FastpathArg(fd);
args[1] = new FastpathArg(buf, off, len);
fp.fastpath("lowrite", args);
} | [
"public",
"void",
"write",
"(",
"byte",
"[",
"]",
"buf",
",",
"int",
"off",
",",
"int",
"len",
")",
"throws",
"SQLException",
"{",
"FastpathArg",
"[",
"]",
"args",
"=",
"new",
"FastpathArg",
"[",
"2",
"]",
";",
"args",
"[",
"0",
"]",
"=",
"new",
... | Writes some data from an array to the object.
@param buf destination array
@param off offset within array
@param len number of bytes to write
@throws SQLException if a database-access error occurs. | [
"Writes",
"some",
"data",
"from",
"an",
"array",
"to",
"the",
"object",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/largeobject/LargeObject.java#L236-L241 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/v3/BatchedQuery.java | BatchedQuery.getNativeSql | @Override
public String getNativeSql() {
if (sql != null) {
return sql;
}
sql = buildNativeSql(null);
return sql;
} | java | @Override
public String getNativeSql() {
if (sql != null) {
return sql;
}
sql = buildNativeSql(null);
return sql;
} | [
"@",
"Override",
"public",
"String",
"getNativeSql",
"(",
")",
"{",
"if",
"(",
"sql",
"!=",
"null",
")",
"{",
"return",
"sql",
";",
"}",
"sql",
"=",
"buildNativeSql",
"(",
"null",
")",
";",
"return",
"sql",
";",
"}"
] | Method to return the sql based on number of batches. Skipping the initial
batch. | [
"Method",
"to",
"return",
"the",
"sql",
"based",
"on",
"number",
"of",
"batches",
".",
"Skipping",
"the",
"initial",
"batch",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/v3/BatchedQuery.java#L78-L85 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/PgCallableStatement.java | PgCallableStatement.checkIndex | protected void checkIndex(int parameterIndex, int type1, int type2, String getName)
throws SQLException {
checkIndex(parameterIndex);
if (type1 != this.testReturn[parameterIndex - 1]
&& type2 != this.testReturn[parameterIndex - 1]) {
throw new PSQLException(
GT.tr("Parameter of type {0} was registered, but call to get{1} (sqltype={2}) was made.",
"java.sql.Types=" + testReturn[parameterIndex - 1], getName,
"java.sql.Types=" + type1),
PSQLState.MOST_SPECIFIC_TYPE_DOES_NOT_MATCH);
}
} | java | protected void checkIndex(int parameterIndex, int type1, int type2, String getName)
throws SQLException {
checkIndex(parameterIndex);
if (type1 != this.testReturn[parameterIndex - 1]
&& type2 != this.testReturn[parameterIndex - 1]) {
throw new PSQLException(
GT.tr("Parameter of type {0} was registered, but call to get{1} (sqltype={2}) was made.",
"java.sql.Types=" + testReturn[parameterIndex - 1], getName,
"java.sql.Types=" + type1),
PSQLState.MOST_SPECIFIC_TYPE_DOES_NOT_MATCH);
}
} | [
"protected",
"void",
"checkIndex",
"(",
"int",
"parameterIndex",
",",
"int",
"type1",
",",
"int",
"type2",
",",
"String",
"getName",
")",
"throws",
"SQLException",
"{",
"checkIndex",
"(",
"parameterIndex",
")",
";",
"if",
"(",
"type1",
"!=",
"this",
".",
"... | helperfunction for the getXXX calls to check isFunction and index == 1 Compare BOTH type fields
against the return type.
@param parameterIndex parameter index (1-based)
@param type1 type 1
@param type2 type 2
@param getName getter name
@throws SQLException if something goes wrong | [
"helperfunction",
"for",
"the",
"getXXX",
"calls",
"to",
"check",
"isFunction",
"and",
"index",
"==",
"1",
"Compare",
"BOTH",
"type",
"fields",
"against",
"the",
"return",
"type",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/PgCallableStatement.java#L361-L372 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/largeobject/LargeObjectManager.java | LargeObjectManager.open | public LargeObject open(int oid, int mode, boolean commitOnClose) throws SQLException {
return open((long) oid, mode, commitOnClose);
} | java | public LargeObject open(int oid, int mode, boolean commitOnClose) throws SQLException {
return open((long) oid, mode, commitOnClose);
} | [
"public",
"LargeObject",
"open",
"(",
"int",
"oid",
",",
"int",
"mode",
",",
"boolean",
"commitOnClose",
")",
"throws",
"SQLException",
"{",
"return",
"open",
"(",
"(",
"long",
")",
"oid",
",",
"mode",
",",
"commitOnClose",
")",
";",
"}"
] | This opens an existing large object, same as previous method, but commits the transaction on
close if asked.
@param oid of large object
@param mode mode of open
@param commitOnClose commit the transaction when this LOB will be closed
@return LargeObject instance providing access to the object
@throws SQLException on error | [
"This",
"opens",
"an",
"existing",
"large",
"object",
"same",
"as",
"previous",
"method",
"but",
"commits",
"the",
"transaction",
"on",
"close",
"if",
"asked",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/largeobject/LargeObjectManager.java#L227-L229 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/largeobject/LargeObjectManager.java | LargeObjectManager.createLO | public long createLO(int mode) throws SQLException {
if (conn.getAutoCommit()) {
throw new PSQLException(GT.tr("Large Objects may not be used in auto-commit mode."),
PSQLState.NO_ACTIVE_SQL_TRANSACTION);
}
FastpathArg[] args = new FastpathArg[1];
args[0] = new FastpathArg(mode);
return fp.getOID("lo_creat", args);
} | java | public long createLO(int mode) throws SQLException {
if (conn.getAutoCommit()) {
throw new PSQLException(GT.tr("Large Objects may not be used in auto-commit mode."),
PSQLState.NO_ACTIVE_SQL_TRANSACTION);
}
FastpathArg[] args = new FastpathArg[1];
args[0] = new FastpathArg(mode);
return fp.getOID("lo_creat", args);
} | [
"public",
"long",
"createLO",
"(",
"int",
"mode",
")",
"throws",
"SQLException",
"{",
"if",
"(",
"conn",
".",
"getAutoCommit",
"(",
")",
")",
"{",
"throw",
"new",
"PSQLException",
"(",
"GT",
".",
"tr",
"(",
"\"Large Objects may not be used in auto-commit mode.\"... | This creates a large object, returning its OID.
@param mode a bitmask describing different attributes of the new object
@return oid of new object
@throws SQLException on error | [
"This",
"creates",
"a",
"large",
"object",
"returning",
"its",
"OID",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/largeobject/LargeObjectManager.java#L293-L301 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/largeobject/LargeObjectManager.java | LargeObjectManager.delete | public void delete(long oid) throws SQLException {
FastpathArg[] args = new FastpathArg[1];
args[0] = Fastpath.createOIDArg(oid);
fp.fastpath("lo_unlink", args);
} | java | public void delete(long oid) throws SQLException {
FastpathArg[] args = new FastpathArg[1];
args[0] = Fastpath.createOIDArg(oid);
fp.fastpath("lo_unlink", args);
} | [
"public",
"void",
"delete",
"(",
"long",
"oid",
")",
"throws",
"SQLException",
"{",
"FastpathArg",
"[",
"]",
"args",
"=",
"new",
"FastpathArg",
"[",
"1",
"]",
";",
"args",
"[",
"0",
"]",
"=",
"Fastpath",
".",
"createOIDArg",
"(",
"oid",
")",
";",
"fp... | This deletes a large object.
@param oid describing object to delete
@throws SQLException on error | [
"This",
"deletes",
"a",
"large",
"object",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/largeobject/LargeObjectManager.java#L323-L327 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/VisibleBufferedInputStream.java | VisibleBufferedInputStream.ensureBytes | public boolean ensureBytes(int n) throws IOException {
int required = n - endIndex + index;
while (required > 0) {
if (!readMore(required)) {
return false;
}
required = n - endIndex + index;
}
return true;
} | java | public boolean ensureBytes(int n) throws IOException {
int required = n - endIndex + index;
while (required > 0) {
if (!readMore(required)) {
return false;
}
required = n - endIndex + index;
}
return true;
} | [
"public",
"boolean",
"ensureBytes",
"(",
"int",
"n",
")",
"throws",
"IOException",
"{",
"int",
"required",
"=",
"n",
"-",
"endIndex",
"+",
"index",
";",
"while",
"(",
"required",
">",
"0",
")",
"{",
"if",
"(",
"!",
"readMore",
"(",
"required",
")",
"... | Ensures that the buffer contains at least n bytes. This method invalidates the buffer and index
fields.
@param n The amount of bytes to ensure exists in buffer
@return true if required bytes are available and false if EOF
@throws IOException If reading of the wrapped stream failed. | [
"Ensures",
"that",
"the",
"buffer",
"contains",
"at",
"least",
"n",
"bytes",
".",
"This",
"method",
"invalidates",
"the",
"buffer",
"and",
"index",
"fields",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/VisibleBufferedInputStream.java#L106-L115 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/VisibleBufferedInputStream.java | VisibleBufferedInputStream.readMore | private boolean readMore(int wanted) throws IOException {
if (endIndex == index) {
index = 0;
endIndex = 0;
}
int canFit = buffer.length - endIndex;
if (canFit < wanted) {
// would the wanted bytes fit if we compacted the buffer
// and still leave some slack
if (index + canFit > wanted + MINIMUM_READ) {
compact();
} else {
doubleBuffer();
}
canFit = buffer.length - endIndex;
}
int read = wrapped.read(buffer, endIndex, canFit);
if (read < 0) {
return false;
}
endIndex += read;
return true;
} | java | private boolean readMore(int wanted) throws IOException {
if (endIndex == index) {
index = 0;
endIndex = 0;
}
int canFit = buffer.length - endIndex;
if (canFit < wanted) {
// would the wanted bytes fit if we compacted the buffer
// and still leave some slack
if (index + canFit > wanted + MINIMUM_READ) {
compact();
} else {
doubleBuffer();
}
canFit = buffer.length - endIndex;
}
int read = wrapped.read(buffer, endIndex, canFit);
if (read < 0) {
return false;
}
endIndex += read;
return true;
} | [
"private",
"boolean",
"readMore",
"(",
"int",
"wanted",
")",
"throws",
"IOException",
"{",
"if",
"(",
"endIndex",
"==",
"index",
")",
"{",
"index",
"=",
"0",
";",
"endIndex",
"=",
"0",
";",
"}",
"int",
"canFit",
"=",
"buffer",
".",
"length",
"-",
"en... | Reads more bytes into the buffer.
@param wanted How much should be at least read.
@return True if at least some bytes were read.
@throws IOException If reading of the wrapped stream failed. | [
"Reads",
"more",
"bytes",
"into",
"the",
"buffer",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/VisibleBufferedInputStream.java#L124-L146 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/core/VisibleBufferedInputStream.java | VisibleBufferedInputStream.moveBufferTo | private void moveBufferTo(byte[] dest) {
int size = endIndex - index;
System.arraycopy(buffer, index, dest, 0, size);
index = 0;
endIndex = size;
} | java | private void moveBufferTo(byte[] dest) {
int size = endIndex - index;
System.arraycopy(buffer, index, dest, 0, size);
index = 0;
endIndex = size;
} | [
"private",
"void",
"moveBufferTo",
"(",
"byte",
"[",
"]",
"dest",
")",
"{",
"int",
"size",
"=",
"endIndex",
"-",
"index",
";",
"System",
".",
"arraycopy",
"(",
"buffer",
",",
"index",
",",
"dest",
",",
"0",
",",
"size",
")",
";",
"index",
"=",
"0",... | Moves bytes from the buffer to the beginning of the destination buffer. Also sets the index and
endIndex variables.
@param dest The destination buffer. | [
"Moves",
"bytes",
"from",
"the",
"buffer",
"to",
"the",
"beginning",
"of",
"the",
"destination",
"buffer",
".",
"Also",
"sets",
"the",
"index",
"and",
"endIndex",
"variables",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/core/VisibleBufferedInputStream.java#L170-L175 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/util/ExpressionProperties.java | ExpressionProperties.getRawPropertyValue | public String getRawPropertyValue(String key) {
String value = super.getProperty(key);
if (value != null) {
return value;
}
for (Properties properties : defaults) {
value = properties.getProperty(key);
if (value != null) {
return value;
}
}
return null;
} | java | public String getRawPropertyValue(String key) {
String value = super.getProperty(key);
if (value != null) {
return value;
}
for (Properties properties : defaults) {
value = properties.getProperty(key);
if (value != null) {
return value;
}
}
return null;
} | [
"public",
"String",
"getRawPropertyValue",
"(",
"String",
"key",
")",
"{",
"String",
"value",
"=",
"super",
".",
"getProperty",
"(",
"key",
")",
";",
"if",
"(",
"value",
"!=",
"null",
")",
"{",
"return",
"value",
";",
"}",
"for",
"(",
"Properties",
"pr... | Returns raw value of a property without any replacements.
@param key property name
@return raw property value | [
"Returns",
"raw",
"value",
"of",
"a",
"property",
"without",
"any",
"replacements",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/util/ExpressionProperties.java#L58-L70 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/AbstractBlobClob.java | AbstractBlobClob.truncate | public synchronized void truncate(long len) throws SQLException {
checkFreed();
if (!conn.haveMinimumServerVersion(ServerVersion.v8_3)) {
throw new PSQLException(
GT.tr("Truncation of large objects is only implemented in 8.3 and later servers."),
PSQLState.NOT_IMPLEMENTED);
}
if (len < 0) {
throw new PSQLException(GT.tr("Cannot truncate LOB to a negative length."),
PSQLState.INVALID_PARAMETER_VALUE);
}
if (len > Integer.MAX_VALUE) {
if (support64bit) {
getLo(true).truncate64(len);
} else {
throw new PSQLException(GT.tr("PostgreSQL LOBs can only index to: {0}", Integer.MAX_VALUE),
PSQLState.INVALID_PARAMETER_VALUE);
}
} else {
getLo(true).truncate((int) len);
}
} | java | public synchronized void truncate(long len) throws SQLException {
checkFreed();
if (!conn.haveMinimumServerVersion(ServerVersion.v8_3)) {
throw new PSQLException(
GT.tr("Truncation of large objects is only implemented in 8.3 and later servers."),
PSQLState.NOT_IMPLEMENTED);
}
if (len < 0) {
throw new PSQLException(GT.tr("Cannot truncate LOB to a negative length."),
PSQLState.INVALID_PARAMETER_VALUE);
}
if (len > Integer.MAX_VALUE) {
if (support64bit) {
getLo(true).truncate64(len);
} else {
throw new PSQLException(GT.tr("PostgreSQL LOBs can only index to: {0}", Integer.MAX_VALUE),
PSQLState.INVALID_PARAMETER_VALUE);
}
} else {
getLo(true).truncate((int) len);
}
} | [
"public",
"synchronized",
"void",
"truncate",
"(",
"long",
"len",
")",
"throws",
"SQLException",
"{",
"checkFreed",
"(",
")",
";",
"if",
"(",
"!",
"conn",
".",
"haveMinimumServerVersion",
"(",
"ServerVersion",
".",
"v8_3",
")",
")",
"{",
"throw",
"new",
"P... | For Blobs this should be in bytes while for Clobs it should be in characters. Since we really
haven't figured out how to handle character sets for Clobs the current implementation uses
bytes for both Blobs and Clobs.
@param len maximum length
@throws SQLException if operation fails | [
"For",
"Blobs",
"this",
"should",
"be",
"in",
"bytes",
"while",
"for",
"Clobs",
"it",
"should",
"be",
"in",
"characters",
".",
"Since",
"we",
"really",
"haven",
"t",
"figured",
"out",
"how",
"to",
"handle",
"character",
"sets",
"for",
"Clobs",
"the",
"cu... | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/AbstractBlobClob.java#L73-L95 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/AbstractBlobClob.java | AbstractBlobClob.position | public synchronized long position(byte[] pattern, long start) throws SQLException {
assertPosition(start, pattern.length);
int position = 1;
int patternIdx = 0;
long result = -1;
int tmpPosition = 1;
for (LOIterator i = new LOIterator(start - 1); i.hasNext(); position++) {
byte b = i.next();
if (b == pattern[patternIdx]) {
if (patternIdx == 0) {
tmpPosition = position;
}
patternIdx++;
if (patternIdx == pattern.length) {
result = tmpPosition;
break;
}
} else {
patternIdx = 0;
}
}
return result;
} | java | public synchronized long position(byte[] pattern, long start) throws SQLException {
assertPosition(start, pattern.length);
int position = 1;
int patternIdx = 0;
long result = -1;
int tmpPosition = 1;
for (LOIterator i = new LOIterator(start - 1); i.hasNext(); position++) {
byte b = i.next();
if (b == pattern[patternIdx]) {
if (patternIdx == 0) {
tmpPosition = position;
}
patternIdx++;
if (patternIdx == pattern.length) {
result = tmpPosition;
break;
}
} else {
patternIdx = 0;
}
}
return result;
} | [
"public",
"synchronized",
"long",
"position",
"(",
"byte",
"[",
"]",
"pattern",
",",
"long",
"start",
")",
"throws",
"SQLException",
"{",
"assertPosition",
"(",
"start",
",",
"pattern",
".",
"length",
")",
";",
"int",
"position",
"=",
"1",
";",
"int",
"p... | Iterate over the buffer looking for the specified pattern.
@param pattern A pattern of bytes to search the blob for
@param start The position to start reading from
@return position of the specified pattern
@throws SQLException if something wrong happens | [
"Iterate",
"over",
"the",
"buffer",
"looking",
"for",
"the",
"specified",
"pattern",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/AbstractBlobClob.java#L136-L161 | train |
pgjdbc/pgjdbc | pgjdbc/src/main/java/org/postgresql/jdbc/AbstractBlobClob.java | AbstractBlobClob.assertPosition | protected void assertPosition(long pos, long len) throws SQLException {
checkFreed();
if (pos < 1) {
throw new PSQLException(GT.tr("LOB positioning offsets start at 1."),
PSQLState.INVALID_PARAMETER_VALUE);
}
if (pos + len - 1 > Integer.MAX_VALUE) {
throw new PSQLException(GT.tr("PostgreSQL LOBs can only index to: {0}", Integer.MAX_VALUE),
PSQLState.INVALID_PARAMETER_VALUE);
}
} | java | protected void assertPosition(long pos, long len) throws SQLException {
checkFreed();
if (pos < 1) {
throw new PSQLException(GT.tr("LOB positioning offsets start at 1."),
PSQLState.INVALID_PARAMETER_VALUE);
}
if (pos + len - 1 > Integer.MAX_VALUE) {
throw new PSQLException(GT.tr("PostgreSQL LOBs can only index to: {0}", Integer.MAX_VALUE),
PSQLState.INVALID_PARAMETER_VALUE);
}
} | [
"protected",
"void",
"assertPosition",
"(",
"long",
"pos",
",",
"long",
"len",
")",
"throws",
"SQLException",
"{",
"checkFreed",
"(",
")",
";",
"if",
"(",
"pos",
"<",
"1",
")",
"{",
"throw",
"new",
"PSQLException",
"(",
"GT",
".",
"tr",
"(",
"\"LOB pos... | Throws an exception if the pos value exceeds the max value by which the large object API can
index.
@param pos Position to write at.
@param len number of bytes to write.
@throws SQLException if something goes wrong | [
"Throws",
"an",
"exception",
"if",
"the",
"pos",
"value",
"exceeds",
"the",
"max",
"value",
"by",
"which",
"the",
"large",
"object",
"API",
"can",
"index",
"."
] | 95ba7b261e39754674c5817695ae5ebf9a341fae | https://github.com/pgjdbc/pgjdbc/blob/95ba7b261e39754674c5817695ae5ebf9a341fae/pgjdbc/src/main/java/org/postgresql/jdbc/AbstractBlobClob.java#L224-L234 | train |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.