New Version
This blog has now been superseded by a new version at http://hello-world-2-0.blogspot.com.
This blog has now been superseded by a new version at http://hello-world-2-0.blogspot.com.
Posted by edwin11 at 3:50:00 am 5 comments
This work is licensed under a Creative Commons Attribution 2.5 License.
Stumbled upon this while developing a multi-threaded Java application that connects to MySQL via JDBC. Basically, i have one thread updating a database table through a Connection
(java.sql.Connection
) object (connection1
), and another querying the same table through a different connection object (connection2
). What i found was that, after connection2
does its first query against the table, subsequent similar queries (by connection2
) always return the same result (as the very first one) even though in between, connection1
has executed several updates against that table.
i wrote out a simple single-threaded test application to examine this and to ensure that it was not due to some other application bugs or an oversight:import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;
public class TestMySqlDatabase
{
private static final String CLASSNAME = "com.mysql.jdbc.Driver";
// Database URL
private static final String URL
= "jdbc:mysql://192.168.1.1:3306/test";
// Database User Name
private static final String USERNAME = "root";
// Database User Password
private static final String PASSWORD = "password";
public static final void main(String[] args)
throws ClassNotFoundException, SQLException
{
// connection0 is used to CREATE and DROP
// the test table
Connection connection0 = null;
// connection1 is used to update the test table
Connection connection1 = null;
// connection2 is used to query the test table
Connection connection2 = null;
Statement statement = null;
ResultSet resultSet = null;
try
{
Class.forName(CLASSNAME);
// CREATE the test table
try
{
connection0
= DriverManager.getConnection(
URL, USERNAME, PASSWORD);
connection0.setAutoCommit(false);
statement = connection0.createStatement();
statement.executeUpdate(
"CREATE TABLE TestTable "
+ "(TestColumn VARCHAR(1))");
connection0.commit();
}
finally
{
if (statement != null)
{
try
{
statement.close();
}
catch (SQLException ignore)
{
//
}
}
if (connection0 != null)
{
try
{
connection0.close();
}
catch (SQLException ignore)
{
//
}
}
}
connection1
= DriverManager.getConnection(
URL, USERNAME, PASSWORD);
connection1.setAutoCommit(false);
connection2
= DriverManager.getConnection(
URL, USERNAME, PASSWORD);
connection2.setAutoCommit(false);
// Add one row to the test table
try
{
statement = connection1.createStatement();
statement.executeUpdate(
"INSERT INTO TestTable "
+ "(TestColumn) VALUES ('a')");
connection1.commit();
}
finally
{
if (statement != null)
{
try
{
statement.close();
}
catch (SQLException ignore)
{
//
}
}
}
// Query the test table and print result(s)
try
{
statement = connection2.createStatement();
resultSet
= statement.executeQuery(
"SELECT * FROM testtable");
System.out.println("Query 1:");
while (resultSet.next())
{
System.out.println(
resultSet.getString("TestColumn"));
}
}
finally
{
if (resultSet != null)
{
try
{
resultSet.close();
}
catch (SQLException ignore)
{
//
}
}
if (statement != null)
{
try
{
statement.close();
}
catch (SQLException ignore)
{
//
}
}
}
// Add a second row to the test table
try
{
statement = connection1.createStatement();
statement.executeUpdate(
"INSERT INTO TestTable "
+ "(TestColumn) VALUES ('b')");
connection1.commit();
}
finally
{
if (statement != null)
{
try
{
statement.close();
}
catch (SQLException ignore)
{
//
}
}
}
// Query the test table and print result(s) again
try
{
statement = connection2.createStatement();
resultSet
= statement.executeQuery(
"SELECT * FROM testtable");
System.out.println("Query 2:");
while (resultSet.next())
{
System.out.println(
resultSet.getString("TestColumn"));
}
}
finally
{
if (resultSet != null)
{
try
{
resultSet.close();
}
catch (SQLException ignore)
{
//
}
}
if (statement != null)
{
try
{
statement.close();
}
catch (SQLException ignore)
{
//
}
}
}
// DROP the test table
try
{
connection0
= DriverManager.getConnection(
URL, USERNAME, PASSWORD);
connection0.setAutoCommit(false);
statement = connection0.createStatement();
statement.executeUpdate("DROP TABLE TestTable");
connection0.commit();
}
finally
{
if (statement != null)
{
try
{
statement.close();
}
catch (SQLException ignore)
{
//
}
}
if (connection0 != null)
{
try
{
connection0.close();
}
catch (SQLException ignore)
{
//
}
}
}
}
finally
{
if (connection1 != null)
{
try
{
connection1.close();
}
catch (SQLException ignore)
{
//
}
}
if (connection2 != null)
{
try
{
connection2.close();
}
catch (SQLException ignore)
{
//
}
}
}
}
}
The output of this test application turned out to be:Query 1:
a
Query 2:
a
i.e. The results of the first and second queries were the same, even though a second record was inserted before the second query was performed.
REPEATABLE READ
, and this means that within a transaction, identical queries will return identical results. Because connection2
(above) had auto-commit set to false
, and there was no commit (on connection2
) executed in between its two query invocations, those two queries are considered to be within a single transaction. Hence, identical results for the two identical queries.tx_isolation
system variable using the MySQL Administrator.Posted by edwin11 at 7:24:00 pm 9 comments
Tags: Database, Java, MySQL, Programming
This work is licensed under a Creative Commons Attribution 2.5 License.
Given a polynomial sequence (e.g. 1, 2, 4, 7, 11), how can we easily find the next number in that sequence?
n
(where n = 1, 2, 3, ...
). In other words, f(n) = amnm + am-1nm-1 + am-2nm-2 + ... + a2m2 + a1m + a0
. The example above (1, 2, 4, 7, 11) can be represented by the polynomial function f(n) = 0.5n2 - 0.5n + 1
.f(1) = 0.5(1)2 - 0.5(1) + 1 = 1
f(2) = 0.5(2)2 - 0.5(2) + 1 = 2
f(3) = 0.5(3)2 - 0.5(3) + 1 = 4
f(4) = 0.5(4)2 - 0.5(4) + 1 = 7
f(5) = 0.5(5)2 - 0.5(5) + 1 = 11
f(6) = 0.5(6)2 - 0.5(6) + 1 = 16
a0, a1, ..., am
in the function f(n) = amnm + am-1nm-1 + am-2nm-2 + ... + a2m2 + a1m + a0
and work on from there. That would work, but for sure it was very tedious, especially if we have a high-degree polynomial function.import java.util.ArrayList;
import java.util.List;
public class Main
{
public static final void main(String[] args)
{
int numInput = args.length;
List<int[]> sequencesList = new ArrayList<int[]>(100);
int currentSeqLen = numInput;
int[] currentSequence = new int[currentSeqLen + 1];
boolean constantFound = true;
for (int i = 0; i < currentSeqLen; i++)
{
currentSequence[i] = Integer.parseInt(args[i]);
if (constantFound
&& (i > 0)
&& (currentSequence[i] != currentSequence[i - 1]))
{
constantFound = false;
}
}
sequencesList.add(currentSequence);
while (!constantFound)
{
int[] prevSequence = currentSequence;
currentSeqLen--;
currentSequence = new int[currentSeqLen + 1];
constantFound = true;
for (int i = 0; i < currentSeqLen; i++)
{
currentSequence[i]
= prevSequence[i + 1] - prevSequence[i];
if (constantFound
&& (i > 0)
&& (currentSequence[i] != currentSequence[i - 1]))
{
constantFound = false;
}
}
sequencesList.add(currentSequence);
}
for (int i = currentSeqLen; i < (currentSeqLen + 1); i++)
{
currentSequence[i] = currentSequence[i - 1];
}
for (int i = (sequencesList.size() - 2); i >= 0; i--)
{
int[] prevSequence = currentSequence;
currentSeqLen++;
currentSequence = sequencesList.get(i);
for (int j = currentSeqLen; j < (currentSeqLen + 1); j++)
{
currentSequence[j]
= currentSequence[j - 1] + prevSequence[j - 1];
}
}
System.out.println(currentSequence[numInput]);
}
}
java Main 1 2 4 7 11
16
Posted by edwin11 at 8:55:00 pm 1 comments
Tags: Mathematics, Programming
This work is licensed under a Creative Commons Attribution 2.5 License.
The desktop installation of Ubuntu is touted as a complete Linux-based operating system, and includes many of the major applications. Indeed, Firefox, OpenOffice.org, Gaim, GIMP, and the Totem Movie Player are just some of the applications that come pre-installed if you used the desktop CD.
apt-get update
apt-get install gdm gnome-applets gnome-control-center gnome-icon-theme gnome-menus gnome-panel gnome-session gnome-terminal menu metacity nautilus synaptic x-window-system-core
Posted by edwin11 at 9:33:00 pm 4 comments
This work is licensed under a Creative Commons Attribution 2.5 License.
After looking at a fair number of application source codes written by others, i have noticed that these are some of the most common pitfalls involving exceptions. i must admit that i have committed them at one time or another as well -- earlier, due to ignorance, and later on, due to convenience (but only in trivial, run-once-and-throw utilities). i am sure there are other common mistakes and bad habits in this area, but these few i have come across most often.
1. Catching an exception, then doing absolutely nothing.try
{
FileReader in = new FileReader("MyFile.txt");
}
catch (FileNotFoundException ex) {}
This, in my humble opinion, is the single worst thing to do with an exception. Should the exception occur, the offending application continues to run in an indeterminate state. At best, another exception (usually a NullPointerException
) will terminate the application a few lines later. At worst, it just continues to inexplicably (to the programmer) churn out erroneous results.
There is a, well, exception to this though. When we clean up resources in finally
blocks (e.g. closing connections, streams, etc.), We typically enclose those statements in try-catch
blocks to allow the finally
block to run to completion.InputStream in = null;
try
{
// Do Stuffs Here
}
finally
{
if (in != null)
{
try
{
in.close();
}
catch (IOException ignore)
{
// Ignore
}
}
}
main
method.public static void main (String[] args)
throws IOException, FileNotFoundException
{
// Do Stuffs
}
finally
block completes normally.finally
blocks to clean up resources before they are garbage-collected, and these cleaning-up statements are wrapped in try-catch
blocks, but sometimes, it is not done correctly.FileInputStream in = null;
OutputStream out = null;
try
{
// Do Stuffs
}
finally
{
try
{
in.close();
out.close();
}
catch (IOException ignore)
{
// Log Exception
}
}
in.close()
statement throws an exception, the out.close()
statement will not even be attempted, and the output stream will be left open. In more serious cases, this could lead to resource leakages. The more correct way to do this, would be to wrap each clean-up statement individually in its own try-catch
block.FileInputStream in = null;
OutputStream out = null;
try
{
// Do Stuffs Here
}
finally
{
if (in != null)
{
try
{
in.close();
}
catch (IOException ignore)
{
// Log Exception
}
}
if (out != null)
{
try
{
out.close();
}
catch (IOException ignore)
{
// Log Exception
}
}
}
Exception
S.Exception
class (as opposed to a specific sub-class) that sometimes causes a loss of clarity in the code.private String readFromFile(String filename) throws Exception
{
FileInputStream in = null;
try
{
in = new FileInputStream(in);
// Do Stuffs
}
finally
{
if (in != null)
{
try
{
in.close();
}
catch (IOException ignore)
{
// Log Exception
}
}
}
}
readFromFile
method above, there are possibly FileNotFoundException
S and IOException
S that need to be handled. One way to handle them would be to catch them within the method itself (and appropriately handling them). Declaring throws FileNotFoundException, IOException
in the method header is fine too, but declaring an all-purpose throws Exception
is not a good practice, and there are a couple of reasons to this.throws
clause in a method header is considered to be part of the interface contract. Following the principles of abstraction and encapsulation, declaring specific exceptions (and providing the corresponding Javadoc comment) would allow a programmer to understand how this method could potentially fail without having to delve into the implementation details. Declaring a generic throws Exception
simply tells the programmer that, well, this method could potentially fail.catch
blocks. In the example above, the calling method would have to handle the exception in a generic manner. Should it be more appropriate for the calling method to throw the exception instead of handling it, it would also have to declare a generic throws Exception
.private void setValue(String s) throws ClassNotFoundException
{
if (s == null)
{
throw new ClassNotFoundException();
}
this.value = s;
}
private void setValue(String s) throws Exception
{
if (s == null)
{
throw new Exception();
}
this.value = s;
}
Exception
. In the examples above, the most appropriate exception to throw would perhaps be the IllegalArgumentException
.Posted by edwin11 at 10:18:00 pm 1 comments
Tags: Java, Programming
This work is licensed under a Creative Commons Attribution 2.5 License.
Despite its recent popularity, a large majority still do not know what a podcast is. Hence, i thought that i could use a little space here to spread the word around a bit.
The Number One Myth: You need an iPod to be able to listen to a podcast.
That's a natural line of thought, and that was the misconception i had as well, when i first encountered the term.
So, what's a podcast?
According to Wikipedia (http://en.wikipedia.org/wiki/Podcast),
A podcast is a multimedia file distributed over the Internet using syndication feeds, for playback on mobile devices and personal computers.
Posted by edwin11 at 10:10:00 pm 0 comments
Tags: English Premier League, Football, Podcasts, Technology
This work is licensed under a Creative Commons Attribution 2.5 License.
Today, 3rd October, is the Day Against DRM. Take a stand today. Fight DRM.
Posted by edwin11 at 9:46:00 pm 0 comments
Tags: DRM, Free (as in Speech)
This work is licensed under a Creative Commons Attribution 2.5 License.