diff --git a/spring-security-oauth/src/main/java/org/baeldung/reddit/classifier/RedditClassifier.java b/spring-security-oauth/src/main/java/org/baeldung/reddit/classifier/RedditClassifier.java index 46e9ceb590..04cddd3776 100644 --- a/spring-security-oauth/src/main/java/org/baeldung/reddit/classifier/RedditClassifier.java +++ b/spring-security-oauth/src/main/java/org/baeldung/reddit/classifier/RedditClassifier.java @@ -1,13 +1,17 @@ package org.baeldung.reddit.classifier; -import java.io.BufferedReader; -import java.io.FileReader; +import java.io.File; import java.io.IOException; +import java.nio.charset.Charset; +import java.util.ArrayList; import java.util.Calendar; +import java.util.List; import java.util.TimeZone; +import org.apache.mahout.classifier.sgd.AdaptiveLogisticRegression; +import org.apache.mahout.classifier.sgd.CrossFoldLearner; import org.apache.mahout.classifier.sgd.L2; -import org.apache.mahout.classifier.sgd.OnlineLogisticRegression; +import org.apache.mahout.math.NamedVector; import org.apache.mahout.math.RandomAccessSparseVector; import org.apache.mahout.math.Vector; import org.apache.mahout.vectorizer.encoders.AdaptiveWordValueEncoder; @@ -15,22 +19,25 @@ import org.apache.mahout.vectorizer.encoders.FeatureVectorEncoder; import org.apache.mahout.vectorizer.encoders.StaticWordValueEncoder; import com.google.common.base.Splitter; +import com.google.common.io.Files; public class RedditClassifier { public static int GOOD = 0; public static int BAD = 1; - public static int MIN_SCORE = 5; - private final OnlineLogisticRegression classifier; + public static int MIN_SCORE = 10; + private final AdaptiveLogisticRegression classifier; private final FeatureVectorEncoder titleEncoder; private final FeatureVectorEncoder domainEncoder; + private CrossFoldLearner learner; private final int[] trainCount = { 0, 0 }; private final int[] evalCount = { 0, 0 }; public RedditClassifier() { - classifier = new OnlineLogisticRegression(2, 4, new L2(1)); + classifier = new AdaptiveLogisticRegression(2, 4, new L2()); + classifier.setPoolSize(25); titleEncoder = new AdaptiveWordValueEncoder("title"); titleEncoder.setProbes(1); domainEncoder = new StaticWordValueEncoder("domain"); @@ -38,27 +45,35 @@ public class RedditClassifier { } public void trainClassifier(String fileName) throws IOException { - final BufferedReader reader = new BufferedReader(new FileReader(fileName)); + final List vectors = extractVectors(readDataFile(fileName)); int category; - Vector features; - String line = reader.readLine(); - if (line == null) { - new RedditDataCollector().collectData(); - } - - while ((line != null) && (line != "")) { - category = extractCategory(line); + for (final NamedVector vector : vectors) { + category = (vector.getName() == "GOOD") ? GOOD : BAD; + classifier.train(category, vector); trainCount[category]++; - features = convertLineToVector(line); - classifier.train(category, features); - line = reader.readLine(); } - reader.close(); System.out.println("Training count ========= " + trainCount[0] + "___" + trainCount[1]); } - public int classify(Vector features) { - return classifier.classifyFull(features).maxValueIndex(); + public double evaluateClassifier() throws IOException { + final List vectors = extractVectors(readDataFile(RedditDataCollector.TEST_FILE)); + int category, result; + int correct = 0; + int wrong = 0; + for (final NamedVector vector : vectors) { + category = (vector.getName() == "GOOD") ? GOOD : BAD; + result = classify(vector); + + evalCount[category]++; + if (category == result) { + correct++; + } else { + wrong++; + } + } + System.out.println(correct + " ----- " + wrong); + System.out.println("Eval count ========= " + evalCount[0] + "___" + evalCount[1]); + return correct / (wrong + correct + 0.0); } public Vector convertPost(String title, String domain, int hour) { @@ -71,49 +86,50 @@ public class RedditClassifier { return features; } - public double evaluateClassifier() throws IOException { - final BufferedReader reader = new BufferedReader(new FileReader(RedditDataCollector.TEST_FILE)); - int category, result; - int correct = 0; - int wrong = 0; - Vector features; - String line = reader.readLine(); - while ((line != null) && (line != "")) { - category = extractCategory(line); - evalCount[category]++; - features = convertLineToVector(line); - result = classify(features); - if (category == result) { - correct++; - } else { - wrong++; - } - line = reader.readLine(); + public int classify(Vector features) { + if (learner == null) { + learner = classifier.getBest().getPayload().getLearner(); } - reader.close(); - System.out.println(correct + " ----- " + wrong); - System.out.println("Eval count ========= " + evalCount[0] + "___" + evalCount[1]); - return correct / (wrong + correct + 0.0); + return learner.classifyFull(features).maxValueIndex(); } - // ==== private - private int extractCategory(String line) { - final int score = Integer.parseInt(line.substring(0, line.indexOf(';'))); - return (score < MIN_SCORE) ? BAD : GOOD; + // ==== Private methods + + private List readDataFile(String fileName) throws IOException { + List lines = Files.readLines(new File(fileName), Charset.forName("utf-8")); + if ((lines == null) || (lines.size() == 0)) { + new RedditDataCollector().collectData(); + lines = Files.readLines(new File(fileName), Charset.forName("utf-8")); + } + lines.remove(0); + return lines; } - private Vector convertLineToVector(String line) { - final Vector features = new RandomAccessSparseVector(4); - final String[] items = line.split(";"); + private List extractVectors(List lines) { + final List vectors = new ArrayList(lines.size()); + for (final String line : lines) { + vectors.add(extractVector(line)); + } + return vectors; + } + + private NamedVector extractVector(String line) { + final String[] items = line.split(","); + final String category = extractCategory(Integer.parseInt(items[0])); + final NamedVector vector = new NamedVector(new RandomAccessSparseVector(4), category); final Calendar cal = Calendar.getInstance(TimeZone.getTimeZone("GMT")); cal.setTimeInMillis(Long.parseLong(items[1]) * 1000); - final int hour = cal.get(Calendar.HOUR_OF_DAY); - titleEncoder.addToVector(items[3], features); - domainEncoder.addToVector(items[4], features); - features.set(2, hour); // hour of day - features.set(3, Integer.parseInt(items[2])); // number of words in the title - return features; + titleEncoder.addToVector(items[3], vector); + domainEncoder.addToVector(items[4], vector); + vector.set(2, cal.get(Calendar.HOUR_OF_DAY)); // hour of day + vector.set(3, Integer.parseInt(items[2])); // number of words in the title + + return vector; + } + + private String extractCategory(int score) { + return (score < MIN_SCORE) ? "BAD" : "GOOD"; } } diff --git a/spring-security-oauth/src/main/java/org/baeldung/reddit/classifier/RedditDataCollector.java b/spring-security-oauth/src/main/java/org/baeldung/reddit/classifier/RedditDataCollector.java index e87eb056dd..fde2e696bb 100644 --- a/spring-security-oauth/src/main/java/org/baeldung/reddit/classifier/RedditDataCollector.java +++ b/spring-security-oauth/src/main/java/org/baeldung/reddit/classifier/RedditDataCollector.java @@ -47,12 +47,14 @@ public class RedditDataCollector { timestamp = System.currentTimeMillis() / 1000; try { final FileWriter writer = new FileWriter(TRAINING_FILE); + writer.write("Score, Timestamp in utc, Number of wrods in title, Title, Domain \n"); for (int i = 0; i < noOfRounds; i++) { getPosts(writer); } writer.close(); final FileWriter testWriter = new FileWriter(TEST_FILE); + testWriter.write("Score, Timestamp in utc, Number of wrods in title, Title, Domain \n"); getPosts(testWriter); testWriter.close(); } catch (final Exception e) { @@ -83,9 +85,9 @@ public class RedditDataCollector { words = Splitter.onPattern("\\W").omitEmptyStrings().splitToList(child.get("data").get("title").asText()); timestamp = child.get("data").get("created_utc").asLong(); - line = score + ";"; - line += timestamp + ";"; - line += words.size() + ";" + Joiner.on(' ').join(words) + ";"; + line = score + ","; + line += timestamp + ","; + line += words.size() + "," + Joiner.on(' ').join(words) + ","; line += child.get("data").get("domain").asText() + "\n"; writer.write(line); } diff --git a/spring-security-oauth/src/main/resources/test.csv b/spring-security-oauth/src/main/resources/test.csv index 40651b7626..9d3ff4dc66 100644 --- a/spring-security-oauth/src/main/resources/test.csv +++ b/spring-security-oauth/src/main/resources/test.csv @@ -1,100 +1,101 @@ -3;1357021066;7;Good Examples of Component dragging and dropping;self.java -0;1357017936;10;Game only works on mac need help porting to windows;self.java -2;1357008210;4;eclipse or keyboard issues;self.java -37;1356977564;6;The Long Strange Trip to Java;blinkenlights.com -5;1356970069;9;How to Send Email with Embedded Images Using Java;blog.smartbear.com -0;1356956937;4;What makes you architect;programming.freeblog.hu -0;1356900338;4;Apache Maven I of;javaxperiments.blogspot.com -0;1356896219;5;Custom functions per class instance;self.java -0;1356891056;5;JMeter Performance and Tuning Tips;ubik-ingenierie.com -12;1356888358;19;First fully functional GUI program about making acronyms easier to remember Was wondering if you guys had any tips;github.com -2;1356881034;12;Social Tech 101 Why do I love Java Developer Edition Part 1;socialtech101.blogspot.com -5;1356826782;7;Configurable deployment descriptors proposal for Java EE;java.net -31;1356793800;16;Finished my very first game in java Snake clone It s not much but it works;self.java -18;1356766107;10;la4j Linear Alebra for Java 0 3 0 is out;la4j.org -1;1356747219;6;RubyFlux a Ruby to Java compiler;github.com -15;1356735585;10;Simple JMS 2 0 Sample JMSDestinationDefinition and Synchronous Message Receive;blogs.oracle.com -9;1356717174;3;Java Use WebCam;self.java -4;1356711735;5;Compiler Optimisation for saving memory;self.java -4;1356662279;22;I m interested in your opinion about Java for Python Programmers by Brad Miller or a better alternative for a Java newbie;self.java -0;1356633508;4;A good android game;self.java -4;1356631759;12;a java library i saw mentioned here can t find pls help;self.java -1;1356627923;5;About learning Java a question;self.java -0;1356623761;3;Objects and java2d;self.java -0;1356593886;2;AffineTransform halp;self.java -43;1356584047;7;Java Was Strongly Influenced by Objective C;cs.gmu.edu -1;1356580543;7;Having trouble Setting Up Android Development Environment;self.java -0;1356560732;13;How can I fetch the first X links of reddit into a list;self.java -0;1356551788;4;JDK Download page error;self.java -9;1356536557;12;looking for a good book website to learn intermediate core java spring;self.java -7;1356487079;11;A popup menu like Filemaker s Any library have an implementation;self.java -1;1356455255;6;Just a Few Helpful Solr Functions;ignatyev-dev.blogspot.ru -13;1356433373;7;Bart s Blog Xtend the better compromise;bartnaudts.blogspot.de -4;1356410180;3;Beginner Question Here;self.java -19;1356283667;5;Nashorn JavaScript for the JVM;blogs.oracle.com -0;1356234086;5;Problem with Java memory use;self.java -0;1356195953;5;Learning Java in two weeks;self.java -0;1356127053;10;Twitter4J Download a Twitter Users Tweets to a Text File;github.com -20;1356118151;15;Using Apache Commons Functor functional interfaces with Java 8 lambdas cross post from r functionalprogramming;kinoshita.eti.br -13;1356102153;7;Date and Time in Java 8 Timezones;insightfullogic.com -10;1356088959;8;Implementing a collapsible ui repeat rows in JSF;kahimyang.info -8;1356034544;5;OmniFaces 1 3 is released;balusc.blogspot.com -1;1356027563;11;How to Configure a JNDI DataSource in the OpenShift Tomcat Cartridge;openshift.redhat.com -82;1356020780;7;Doomsday Sale IntelliJ 75 off today only;jetbrains.com -3;1355976320;3;IntelliJ Working Directory;self.java -0;1355966433;5;Help with java problem please;self.java -17;1355928745;12;What s new in Servlet 3 1 Java EE 7 moving forward;blogs.oracle.com -11;1355864485;5;Quick poll for research project;self.java -0;1355851994;5;Eclipse Text Problem Need Help;self.java -29;1355823193;4;Java 8 vs Xtend;blog.efftinge.de -2;1355805047;4;Learning Java between semesters;self.java -6;1355798488;11;I m a beginner programmer any tips on where to start;self.java -7;1355784039;9;Java Advent Calendar far sight look at JDK 8;javaadvent.com -2;1355782111;9;Technical Interview coming up Suggestions Pointers Words of Wisdom;self.java -0;1355775350;6;someone may help me out here;stackoverflow.com -2;1355765235;14;THC and a bit of Thunking Creative ways to deal with multiple return types;kingsfleet.blogspot.it -0;1355749586;12;Newbie here can you explain to me what class private stack is;self.java -0;1355748318;4;When StackOverflow Goes Bad;blogs.windward.net -0;1355721981;4;Java Graphics Projectile HELP;self.java -0;1355719622;12;Which one of the following statements about object oriented programming is false;self.java -16;1355707814;8;What s the skinny on JavaFX these days;self.java -2;1355685929;20;Can someone explain exactly what Apache Ant is How does it differ from just creating a jar file in blueJ;self.java -4;1355621071;7;Looking to add test code in Github;self.java -7;1355613608;6;Java Version of Jarvis Must Haves;self.java -5;1355599765;6;Java Advent Calendar Functional Java Collections;javaadvent.com -7;1355597483;13;I m working on a text based RPG and I have some questions;self.java -2;1355574445;6;Java EE 7 Community Survey Results;blog.eisele.net -0;1355576629;4;Evolution of Java Technology;compilr.org -18;1355574828;10;Are your Garbage Collection Logs speaking to you Censum does;blog.eisele.net -10;1355559380;13;What is the best GUI tool for creating a 2d platformer in Java;self.java -0;1355555357;7;Hit me with your best arrays tutorial;self.java -10;1355542403;11;Does any one know of clean 2d graphics library for java;self.java -23;1355511507;9;Dark Juno A Dark UI Theme for Eclipse 4;rogerdudler.github.com -0;1355504132;10;Java devs that work remote I have a few questions;self.java -0;1355501999;9;How do you make use of your Java knowledge;self.java -1;1355492027;5;How ClassLoader works in Java;javarevisited.blogspot.com.au -0;1355489352;9;Main difference between Abstract Class and Interface Compilr org;compilr.org -48;1355487006;8;Date and Time in Java 8 Part 1;insightfullogic.com -0;1355485766;3;Java JSON problem;self.java -10;1355448875;16;Open source applications large small worth looking at in Java I want to understand application structure;self.java -1;1355444452;4;lo mexor pz xxx;heavy-r.com -0;1355402889;11;JRebel Remoting to Push Changes to Your Toaster in The Cloud;zeroturnaround.com -0;1355402734;6;Are bugs part of technical debt;swreflections.blogspot.ca -2;1355400483;9;Compile and Run Java programs with Sublime Text 2;compilr.org -0;1355391115;4;console input like craftbukkit;self.java -7;1355390023;8;Hosting suggestions needed for a java web app;self.java -6;1355359227;17;Java novice here Have noticed funny performance differences across laptop and desktop Nvidia optimus related Details inside;self.java -1;1355327090;18;Please advice which java server technology should I choose for this new web app in my new work;self.java -0;1355326137;6;code to convert digits into words;compilr.org -34;1355319442;7;I want to learn REAL WORLD Java;self.java -5;1355285442;3;Hiring Java Developers;self.java -0;1355282335;14;Help How can I count the amount of a specific integer in an ArrayList;self.java -1;1355272303;24;I m taking a Java 1 final tomorrow I m fairly confident but I would appreciate any tips on things to look out for;self.java -38;1355267143;6;Will Java become the next COBOL;self.java -0;1355263047;2;Understanding recursion;imgur.com -1;1355257558;15;How can I clear the command prompt terminal with java and make it cross platform;self.java -2;1355253849;18;Is there a strategy for reducing code clutter when you are printing to the terminal alot Beginner Programmer;self.java -1;1355253049;5;BlockingQueues and multiple producer threads;self.java -1;1355241441;6;Beginner Struggling with classes Need help;self.java -0;1355238089;8;Simple Steps to Merge PDF files using Java;compilr.org -23;1355236940;8;Java and vs Python within a business context;self.java +Score, Timestamp in utc, Number of wrods in title, Title, Domain +3,1357021066,7,Good Examples of Component dragging and dropping,self.java +0,1357017936,10,Game only works on mac need help porting to windows,self.java +2,1357008210,4,eclipse or keyboard issues,self.java +37,1356977564,6,The Long Strange Trip to Java,blinkenlights.com +5,1356970069,9,How to Send Email with Embedded Images Using Java,blog.smartbear.com +0,1356956937,4,What makes you architect,programming.freeblog.hu +0,1356900338,4,Apache Maven I of,javaxperiments.blogspot.com +0,1356896219,5,Custom functions per class instance,self.java +0,1356891056,5,JMeter Performance and Tuning Tips,ubik-ingenierie.com +12,1356888358,19,First fully functional GUI program about making acronyms easier to remember Was wondering if you guys had any tips,github.com +2,1356881034,12,Social Tech 101 Why do I love Java Developer Edition Part 1,socialtech101.blogspot.com +5,1356826782,7,Configurable deployment descriptors proposal for Java EE,java.net +31,1356793800,16,Finished my very first game in java Snake clone It s not much but it works,self.java +18,1356766107,10,la4j Linear Alebra for Java 0 3 0 is out,la4j.org +1,1356747219,6,RubyFlux a Ruby to Java compiler,github.com +15,1356735585,10,Simple JMS 2 0 Sample JMSDestinationDefinition and Synchronous Message Receive,blogs.oracle.com +9,1356717174,3,Java Use WebCam,self.java +4,1356711735,5,Compiler Optimisation for saving memory,self.java +4,1356662279,22,I m interested in your opinion about Java for Python Programmers by Brad Miller or a better alternative for a Java newbie,self.java +0,1356633508,4,A good android game,self.java +4,1356631759,12,a java library i saw mentioned here can t find pls help,self.java +1,1356627923,5,About learning Java a question,self.java +0,1356623761,3,Objects and java2d,self.java +0,1356593886,2,AffineTransform halp,self.java +43,1356584047,7,Java Was Strongly Influenced by Objective C,cs.gmu.edu +1,1356580543,7,Having trouble Setting Up Android Development Environment,self.java +0,1356560732,13,How can I fetch the first X links of reddit into a list,self.java +0,1356551788,4,JDK Download page error,self.java +9,1356536557,12,looking for a good book website to learn intermediate core java spring,self.java +7,1356487079,11,A popup menu like Filemaker s Any library have an implementation,self.java +1,1356455255,6,Just a Few Helpful Solr Functions,ignatyev-dev.blogspot.ru +13,1356433373,7,Bart s Blog Xtend the better compromise,bartnaudts.blogspot.de +4,1356410180,3,Beginner Question Here,self.java +19,1356283667,5,Nashorn JavaScript for the JVM,blogs.oracle.com +0,1356234086,5,Problem with Java memory use,self.java +0,1356195953,5,Learning Java in two weeks,self.java +0,1356127053,10,Twitter4J Download a Twitter Users Tweets to a Text File,github.com +20,1356118151,15,Using Apache Commons Functor functional interfaces with Java 8 lambdas cross post from r functionalprogramming,kinoshita.eti.br +13,1356102153,7,Date and Time in Java 8 Timezones,insightfullogic.com +10,1356088959,8,Implementing a collapsible ui repeat rows in JSF,kahimyang.info +8,1356034544,5,OmniFaces 1 3 is released,balusc.blogspot.com +1,1356027563,11,How to Configure a JNDI DataSource in the OpenShift Tomcat Cartridge,openshift.redhat.com +82,1356020780,7,Doomsday Sale IntelliJ 75 off today only,jetbrains.com +3,1355976320,3,IntelliJ Working Directory,self.java +0,1355966433,5,Help with java problem please,self.java +17,1355928745,12,What s new in Servlet 3 1 Java EE 7 moving forward,blogs.oracle.com +11,1355864485,5,Quick poll for research project,self.java +0,1355851994,5,Eclipse Text Problem Need Help,self.java +29,1355823193,4,Java 8 vs Xtend,blog.efftinge.de +2,1355805047,4,Learning Java between semesters,self.java +6,1355798488,11,I m a beginner programmer any tips on where to start,self.java +7,1355784039,9,Java Advent Calendar far sight look at JDK 8,javaadvent.com +2,1355782111,9,Technical Interview coming up Suggestions Pointers Words of Wisdom,self.java +0,1355775350,6,someone may help me out here,stackoverflow.com +2,1355765235,14,THC and a bit of Thunking Creative ways to deal with multiple return types,kingsfleet.blogspot.it +0,1355749586,12,Newbie here can you explain to me what class private stack is,self.java +0,1355748318,4,When StackOverflow Goes Bad,blogs.windward.net +0,1355721981,4,Java Graphics Projectile HELP,self.java +0,1355719622,12,Which one of the following statements about object oriented programming is false,self.java +16,1355707814,8,What s the skinny on JavaFX these days,self.java +2,1355685929,20,Can someone explain exactly what Apache Ant is How does it differ from just creating a jar file in blueJ,self.java +4,1355621071,7,Looking to add test code in Github,self.java +7,1355613608,6,Java Version of Jarvis Must Haves,self.java +5,1355599765,6,Java Advent Calendar Functional Java Collections,javaadvent.com +7,1355597483,13,I m working on a text based RPG and I have some questions,self.java +2,1355574445,6,Java EE 7 Community Survey Results,blog.eisele.net +0,1355576629,4,Evolution of Java Technology,compilr.org +18,1355574828,10,Are your Garbage Collection Logs speaking to you Censum does,blog.eisele.net +10,1355559380,13,What is the best GUI tool for creating a 2d platformer in Java,self.java +0,1355555357,7,Hit me with your best arrays tutorial,self.java +10,1355542403,11,Does any one know of clean 2d graphics library for java,self.java +23,1355511507,9,Dark Juno A Dark UI Theme for Eclipse 4,rogerdudler.github.com +0,1355504132,10,Java devs that work remote I have a few questions,self.java +0,1355501999,9,How do you make use of your Java knowledge,self.java +1,1355492027,5,How ClassLoader works in Java,javarevisited.blogspot.com.au +0,1355489352,9,Main difference between Abstract Class and Interface Compilr org,compilr.org +48,1355487006,8,Date and Time in Java 8 Part 1,insightfullogic.com +0,1355485766,3,Java JSON problem,self.java +10,1355448875,16,Open source applications large small worth looking at in Java I want to understand application structure,self.java +1,1355444452,4,lo mexor pz xxx,heavy-r.com +0,1355402889,11,JRebel Remoting to Push Changes to Your Toaster in The Cloud,zeroturnaround.com +0,1355402734,6,Are bugs part of technical debt,swreflections.blogspot.ca +2,1355400483,9,Compile and Run Java programs with Sublime Text 2,compilr.org +0,1355391115,4,console input like craftbukkit,self.java +7,1355390023,8,Hosting suggestions needed for a java web app,self.java +6,1355359227,17,Java novice here Have noticed funny performance differences across laptop and desktop Nvidia optimus related Details inside,self.java +1,1355327090,18,Please advice which java server technology should I choose for this new web app in my new work,self.java +0,1355326137,6,code to convert digits into words,compilr.org +34,1355319442,7,I want to learn REAL WORLD Java,self.java +5,1355285442,3,Hiring Java Developers,self.java +0,1355282335,14,Help How can I count the amount of a specific integer in an ArrayList,self.java +1,1355272303,24,I m taking a Java 1 final tomorrow I m fairly confident but I would appreciate any tips on things to look out for,self.java +38,1355267143,6,Will Java become the next COBOL,self.java +0,1355263047,2,Understanding recursion,imgur.com +1,1355257558,15,How can I clear the command prompt terminal with java and make it cross platform,self.java +2,1355253849,18,Is there a strategy for reducing code clutter when you are printing to the terminal alot Beginner Programmer,self.java +1,1355253049,5,BlockingQueues and multiple producer threads,self.java +1,1355241441,6,Beginner Struggling with classes Need help,self.java +0,1355238089,8,Simple Steps to Merge PDF files using Java,compilr.org +23,1355236940,8,Java and vs Python within a business context,self.java diff --git a/spring-security-oauth/src/main/resources/train.csv b/spring-security-oauth/src/main/resources/train.csv index 65814766a4..31ef9cbaf0 100644 --- a/spring-security-oauth/src/main/resources/train.csv +++ b/spring-security-oauth/src/main/resources/train.csv @@ -1,8000 +1,8001 @@ -9;1429369865;13;Apache Maven JavaDoc Plugin Version 2 10 3 Released Karl Heinz Marbaise 2;maven.40175.n5.nabble.com -32;1429369782;6;Apache Commons Math 3 5 released;mail-archives.apache.org -13;1429369742;8;Apache Fortress Core 1 0 RC40 released RBAC;mail-archives.apache.org -17;1429353784;15;Generate Heroku like random names to use in your Java applications github com atrox haikunatorjava;github.com -4;1429346987;4;How Pattern compile works;self.java -0;1429333506;10;jsoup extract tagged entities from within lt p gt elements;stackoverflow.com -3;1429308638;4;Introduction to OmniFaces presentation;slideshare.net -5;1429302927;14;Anyone know of a good Java library that does efficient intersection operations on SortedSets;self.java -55;1429298310;13;Why is StringBuilder append int faster in Java 7 than in Java 8;stackoverflow.com -47;1429287731;10;Google Chrome dropping support for NPAPI ending Java applet support;blog.chromium.org -21;1429282959;9;Comment from James Gosling on multi language VM 1995;mail.openjdk.java.net -10;1429281132;9;How to make MIDI sound awesome in the JVM;daveyarwood.github.io -83;1429277913;12;Byte code features that are not available in the Java programming language;stackoverflow.com -0;1429277774;4;Your Staging Environment Sucks;blog.takipi.com -2;1429277368;3;Integration test framework;self.java -1;1429272573;5;Getting Rid Of Anonymous Classes;blog.codefx.org -7;1429266262;5;JBoss EAP 6 4 released;access.redhat.com -3;1429266112;3;Introducing WebPageTest mapper;cruft.io -10;1429265731;10;A Look at the Ehcache Storage Tier Model with Offheap;voxxed.com -5;1429263776;4;Baeldung Weekly Review 16;baeldung.com -8;1429258592;4;JSF vs other frameworks;jsf.zeef.com -11;1429258004;5;PrimeFaces Spark Gets New Colors;blog.primefaces.org -1;1429246603;21;Learning Java and trying to finish headfirst by summer July I m looking for a 1 on 1 helper a Sensei;self.java -1;1429224557;43;java I have no programming experience and I am taking an Object Oriented Programming Java class in July What resources are available to me to help me learn as much as I can between now and July to go smoothly into the class;self.java -4;1429224075;7;jackson json pointers aka xpath for json;tools.ietf.org -6;1429219046;9;Programming Design Patterns Tutorial Series X POST r learnprogramming;self.java -107;1429215807;12;Oracle to end publicly available security fixes for Java 7 this month;infoworld.com -5;1429213264;9;4 Worthy Tools For Building iOS Apps in Java;geekswithblogs.net -3;1429209404;22;SimpleFlatMapper v1 8 0 a very fast micro orm csv parser mapper now with Optional Java8 time and static factory method instantiation;github.com -10;1429208592;14;Spring Session 1 0 1 introduces AWS Elasticache Servlet 3 1 2 5 support;spring.io -9;1429208402;5;Hazelcast Simulator 0 4 Released;dzone.com -5;1429201636;2;Copyright question;self.java -20;1429199342;9;The long strange life death and rebirth of Java;itworld.com -18;1429199331;3;Ryan vs James;mountsaintawesome.com -3;1429195118;7;Java 8 Optional Explained in 5 minutes;blog.idrsolutions.com -6;1429195095;10;A beginner s guide to Java Caches Ehcache Hazelcast Infinispan;labs.consol.de -0;1429191706;8;Spring Enable annotation writing a custom Enable annotation;java-allandsundry.com -34;1429189873;4;Human JSON for Java;github.com -1;1429187329;5;Experience with Salesforce REST API;self.java -12;1429184451;4;jClarity Java 9 REPL;jclarity.com -1;1429182871;9;Spring integration Java DSL 1 1 M1 is available;spring.io -7;1429177459;4;KISS With Essential Complexity;techblog.bozho.net -9;1429173051;13;How to debug java applications which may fail during runtime in production environments;self.java -3;1429165619;10;How to Contribute to the Java Platform The Java Source;blogs.oracle.com -1;1429164811;13;OT Does the word Acegi the old name for Spring Securty mean anything;self.java -1;1429136945;9;Rules that can help you write better unit tests;schibsted.pl -0;1429134579;8;Small but useful overview of JAX RS resources;jax-rs.zeef.com -5;1429133011;4;JPA Inheritance Strategies Explained;monkeylittle.com -25;1429125035;7;Why non programmers hate the Java runtime;imgur.com -292;1429120425;6;Java reference in GTA V Beautiful;imgur.com -4;1429118139;8;How to Create and Verify JWTs in Java;stormpath.com -7;1429109253;6;Java CPU and PSU Releases Explained;oracle.com -7;1429104517;7;Most popular Java EE containers 2015 edition;plumbr.eu -11;1429097422;13;No language before or after Java ever abused annotations as much as Java;blog.jooq.org -113;1429085023;14;We analyzed 60 678 Java Library Dependencies on Github Here are the Top 100;blog.takipi.com -6;1429084064;4;Hibernate and UUID identifiers;vladmihalcea.com -2;1429083973;11;Using Apache Kafka for Integration and Data Processing Pipelines with Spring;spring.io -4;1429070871;9;J Compile and Execute Java Scripts in One Go;github.com -4;1429048921;6;Apache Tomcat 7 0 61 released;mail-archives.apache.org -5;1429047999;6;Fast Track D 8 week course;self.java -1;1429042868;9;Spring Technology at Cloud Foundry Summit May 11 12;spring.io -5;1429041882;6;Oracle Critical Patch Update April 2015;oracle.com -73;1429035317;8;Java is back at the top of Tiobe;tiobe.com -8;1429021091;9;Agenda for this weekends free NetBeans Day in Greece;netbeans.dzone.com -0;1429017927;9;College student in need of a Java job Help;self.java -3;1429012469;4;Engineering Concurrent Library Components;youtube.com -9;1429011763;10;How do we access secure web services in Java Program;vinothonsoftware.com -1;1429010860;18;NoCombiner for when you re absolutely certain you don t want to collect reduce a stream in parallel;self.java -0;1429009976;11;jOOQ Tuesdays Vlad Mihalcea Gives Deep Insight into SQL and Hibernate;blog.jooq.org -16;1429009905;5;Result Set Mapping Complex Mappings;thoughts-on-java.org -2;1429008284;11;How to go about this reddit getting spammed with help requests;self.java -14;1429006660;9;Java EE Security API JSR 375 Update The Aquarium;blogs.oracle.com -5;1428986485;7;Key signature detection of an mp3 file;self.java -14;1428954202;9;Spring From the Trenches Returning Runtime Configuration as JSON;petrikainulainen.net -0;1428952664;4;Drag and dropping data;self.java -5;1428940004;15;Version 0 3 of static mustache templating engine with is released Layouts are now supported;github.com -0;1428937602;12;Spring Example Blueprint project that showcases some more advanced features good practices;self.java -13;1428932531;8;A Java EE Startup Getting Lucky With DreamIt;adam-bien.com -9;1428926155;13;Genson 1 3 released Better Json support for Jodatime Scala Jaxb and JaxRS;self.java -28;1428915977;5;PrimeFaces finally moved to GitHub;blog.primefaces.org -5;1428912554;4;Minimalist Java Web Applications;cantina.co -18;1428908203;5;Tips for continuous performance testing;self.java -0;1428894576;4;Trouble getting it Discouraged;self.java -0;1428891440;3;Java game rendering;self.java -5;1428884317;4;hibernate logging with slf4j;self.java -0;1428874572;5;Learn the Basics of Java;youtube.com -2;1428874267;6;Spring Framework Today Past and Future;infoq.com -3;1428874070;7;Java Community Release First OpenJDK Coverage Numbers;infoq.com -63;1428874015;4;Maven Escapes from XML;infoq.com -13;1428873920;7;AssertJ core 2 0 0 testing exceptions;joel-costigliola.github.io -10;1428871386;8;Storytelling with tests 1 test names and granularity;blog.kaczmarzyk.net -0;1428859230;4;Java Game Development Tutorial;youtube.com -0;1428852941;8;Need help with running webapp Willing to pay;self.java -1;1428810377;5;Is Clean Code less Code;journeytomastery.net -21;1428796303;6;CERT Oracle Coding Standard for Java;securecoding.cert.org -4;1428793781;6;Jenkins Security Advisory 2015 03 23;wiki.jenkins-ci.org -1;1428786090;4;Using JSOUP on Amazon;self.java -8;1428770588;6;Admin interface for Spring Boot applications;github.com -6;1428763128;11;Liberty beta includes Java EE 7 full profile nearly done now;developer.ibm.com -98;1428761176;17;A UK university is offering this free online course for learning to program a game in java;futurelearn.com -14;1428694375;5;JSF page templates with Facelets;andygibson.net -2;1428682099;2;GOTO library;self.java -0;1428678809;6;System close with included jar files;self.java -0;1428665744;7;SparkJava Dependency injection in SparkApplication using Spring;deadcoderising.com -2;1428662794;4;Baeldung Weekly Review 15;baeldung.com -0;1428660541;6;SENTIMENT ANALYSIS USING OPENNLP DOCUMENT CATEGORIZER;technobium.com -10;1428658232;6;Getting started with Liberty and Arquillian;developer.ibm.com -8;1428655530;10;Is there a library with a PID controller in Java;self.java -41;1428655020;7;Stock market prediction using Neuroph neural networks;technobium.com -12;1428653081;7;SimpleDateFormat is not parsing the milliseconds correctly;stackoverflow.com -47;1428651658;10;How Spring achieves compatibility with Java 6 7 and 8;spring.io -5;1428607477;6;JSF 2 3 milestone 2 released;java.net -90;1428599706;5;Jenkins says Good bye Java6;jenkins-ci.org -3;1428599034;8;How does Hibernate store second level cache entries;vladmihalcea.com -1;1428587411;13;CDI Properties is now more flexible and production ready v1 1 1 released;github.com -2;1428585594;9;Top 10 Open Source Java and JavaEE Application Servers;blog.idrsolutions.com -57;1428575462;16;Is Spring the de facto web framework for Java What alternatives are there Pros and cons;self.java -8;1428574106;6;Writing Clean Tests Small Is Beautiful;petrikainulainen.net -1;1428550116;5;Minimal Java to Swift converter;self.java -5;1428542422;8;thundr a lightweight cloud friendly java web framework;3wks.github.io -26;1428516131;4;Minimalist java web applications;cantina.co -2;1428505365;6;Maven plugin to support versioning policy;github.com -1;1428503767;6;Keeping code synced across different computers;self.java -3;1428502424;8;Spring Boot Support in IntelliJ IDEA 14 1;youtube.com -0;1428497733;5;Debug java application in eclipse;youtube.com -14;1428495980;5;Complete Android Apps on github;self.java -9;1428492415;8;Eclipse Java compiler released for iPhone and iPad;self.java -0;1428491675;3;StringBuilder and StringBuffer;self.java -98;1428490616;6;Top 5 Useful Hidden Eclipse Features;blog.jooq.org -10;1428487777;5;Pippo Micro Java Web Framework;self.java -2;1428482838;13;Working on Effective Java a tool to measure and explore your Java codebase;tomassetti.me -14;1428480483;5;PrimeFaces 5 2 Final Released;blog.primefaces.org -0;1428479182;6;Tips and tricks using Oracle Apps;oracleappstoday.com -4;1428474682;10;Java ME 8 Raspberry Pi Sensors IoT World Part 1;oracle.com -0;1428474471;14;Java Weekly 15 15 GC tuning HTTP2 good Javadoc MVC 1 0 early draft;thoughts-on-java.org -2;1428450220;29;Little known real time standard impacts broad span of Java applications RTSJ 2 0 promises to enable type safe device access advanced scheduling and more even beyond RT world;javaworld.com -113;1428437516;17;In the world of Internal Server Error this is the most beautiful thing I have ever seen;i.imgur.com -1;1428436749;6;Sublime Text 3 Running and Compiling;self.java -3;1428423729;16;My Weekly Review Testing and Spring goodness as well as some musings about introversion and leadership;baeldung.com -2;1428418704;12;All about Oracle Cloud PaaS and IaaS to rapidly build rich apps;oracle-cloud.zeef.com -0;1428410737;10;How to Avoid the Dreaded Dead Lock when Pessimistic Locking;blog.jooq.org -0;1428407132;7;Get username of those who last committed;stackoverflow.com -0;1428406799;10;Not able to execute the java class files in ubuntu;stackoverflow.com -8;1428398570;4;JPA Result Set Mappings;thoughts-on-java.org -1;1428397303;2;group project;self.java -5;1428396645;5;ECMAScript 6 compiler and runtime;github.com -0;1428396307;8;Timeout policies for EJBs how do they help;self.java -6;1428395105;5;Develop a simpele OSGi application;www-01.ibm.com -53;1428390843;7;Java 8 Concurrency Tutorial Threads and Executors;winterbe.com -0;1428387456;16;Wouldn t it be nice if Java had native XML HTML support similar to React js;self.java -11;1428385073;15;Immutables release 2 0 A leap ahead of similar solutions for immutable objects and builders;immutables.github.io -0;1428356574;13;Lattice and Spring Cloud Resilient Sub structure for Your Cloud Native Spring Applications;spring.io -0;1428354757;9;distributed ehcache batched replication across WANs using SNS SQS;github.com -48;1428345699;6;Upgrading to Java 8 at Scale;product.hubspot.com -45;1428330436;13;7 Things You Thought You Knew About Garbage Collection and Are Totally Wrong;blog.takipi.com -3;1428328805;17;Ideas So I have a good amount of web page data What should I do with it;self.java -21;1428326864;8;Architecting Large Enterprise Java Projects by Markus Eisele;zeroturnaround.com -9;1428307292;10;Spring from the Trenches Injecting Property Values Into Configuration Beans;petrikainulainen.net -20;1428305473;10;Hibernate ORM 5 0 0 Beta1 released but nothing new;in.relation.to -5;1428291517;13;Is that Googlebot user agent really from Google New Java library to verify;flowstopper.org -1;1428247390;23;What does it take to parse an inorder expression to preorder and postorder and vice versa Also how to make an expression tree;self.java -66;1428223660;16;To contribute to this code it is strictly forbidden to even look at the source code;self.java -3;1428163919;8;Are there any Hadoop plugins available for Netbeans;self.java -5;1428150621;8;java util logging Example Examples Java Code Geeks;examples.javacodegeeks.com -8;1428147245;10;Apache Mavibot 1 0 0 M7 MVCC B tree implementation;mail-archives.apache.org -7;1428147176;7;HttpComponents Client 4 4 1 GA Released;mail-archives.apache.org -12;1428139539;6;Where to find educational Java posters;self.java -0;1428106807;10;How do I install Java without third party sponsor offers;java.com -454;1428103376;4;Guys I found it;imgur.com -26;1428084751;14;I m porting Java exercises to exercism io anyone care to help us out;github.com -13;1428075406;7;RoboVM Intellij IDEA Android Studio plugin released;robovm.com -5;1428071742;37;Is it possible to create a maven plugin custom class implementing the same interfaces as JDefinedClass JFieldVar and JMethod in order to support demarshalling an xsd to an Android POJO by replacing JAXB annotations with SimpleXML annotations;self.java -0;1428061375;8;1 Way Messaging Systems actors are NOT MAINTAINABLE;self.java -17;1428044132;6;PrimeFaces Spark Layout and Theme Released;primefaces.org -0;1428031239;8;Spring Boot Dependency Injection Into External Library Project;recursivechaos.com -1;1428030187;4;Question about SE Certifications;self.java -90;1427998309;9;Java VM Options You Should Always Use in Production;blog.sokolenko.me -2;1427989780;5;A Java 8 parallel calamity;coopsoft.com -26;1427984034;13;Java Performance Tuning How to Get the Most Out of Your Garbage Collector;blog.takipi.com -12;1427981719;5;Java security driving me insane;self.java -0;1427979506;8;Basic java tutorials uni student struggling with concepts;self.java -6;1427978177;5;Educational Software made with Java;self.java -10;1427977044;10;How Java EE translates web xml constraints to Permission instances;arjan-tijms.omnifaces.org -19;1427956471;7;An in depth overview of HTTP 2;undertow.io -7;1427956195;5;Java Weekly April Fools Edition;thoughts-on-java.org -38;1427955312;5;Architecting Large Enterprise Java Projects;blog.eisele.net -15;1427948605;8;Reasons Tips and Tricks for Better Java Documentation;zeroturnaround.com -2;1427934990;7;Streaming Spring and Hibernate dev for DevWars;self.java -2;1427930260;5;Help getting back into it;self.java -6;1427923823;7;How Can You Become a Java Champion;javaspecialists.eu -31;1427913927;5;Java 8 functional programming book;self.java -9;1427908457;6;RichFaces 4 5 4 Final released;developer.jboss.org -9;1427902920;20;Why Netty makes you do reference counting for ByteBuffers Isn t it supposed to be single threaded through Java NIO;netty.io -21;1427881990;11;Orbit Framework from EA and Bioware for large scalable online services;orbit.bioware.com -5;1427881249;6;ZipRebel Download the Internet in Milliseconds;zeroturnaround.com -21;1427880728;13;Don t be Fooled by Generics and Backwards Compatibility Use Generic Generic Types;blog.jooq.org -3;1427877629;12;Build a Java 3 tier application from scratch Part 3 amp 4;janikvonrotz.ch -4;1427877234;15;Getting started with Spark it is possible to create lightweight RESTful application also in Java;tomassetti.me -1;1427873515;8;SELECT statements batch fetching with JDBC and Hibernate;vladmihalcea.com -80;1427868369;11;Top 20 Online Resources to Boost Up your Java Programming Skill;simplilearn.com -11;1427821969;4;JavaLand 2015 Wrap Up;weblogs.java.net -12;1427820983;6;gradle release Release plugin for Gradle;github.com -14;1427818574;9;JSR 371 Model View Controller 1 0 First Draft;jcp.org -18;1427817778;10;Apache jclouds 1 9 released the Java multi cloud toolkit;jclouds.apache.org -14;1427815940;12;A fluent Java 8 interface to the Pivotal Tracker API seeking contributors;github.com -3;1427815506;13;I have been working on and off to create this limited feature game;youtube.com -14;1427813489;4;Stream Processing Using Esper;hakkalabs.co -10;1427809292;20;JavaLand 2015 result JavaFX 3d mosaic for dailyfratze de using Flyway jOOQ H2 JavaFX and the CIE94 color distance algorithm;info.michael-simons.eu -5;1427797324;8;Java 8 Consumer Supplier Explained in 5 minutes;blog.idrsolutions.com -5;1427792442;10;A Java EE 7 Startup Virtualizing Services with hubeo com;adam-bien.com -32;1427789071;12;Build a Java 3 tier application from scratch Part 2 Model setup;janikvonrotz.ch -7;1427787380;13;Has anyone successfully build Bruce Eckels Thinking in java 4th Edition using Eclipse;self.java -4;1427786182;4;Microservices Monoliths and NoOps;blog.arungupta.me -2;1427783537;11;Free JPA 2 1 Cheat Sheet by Thorben Janssen The Aquarium;blogs.oracle.com -16;1427772872;9;What other java community news type sites are there;self.java -5;1427752897;10;A memory leak caused by dynamic creation of log4j loggers;korhner.github.io -2;1427749046;11;JSF 2 2 Input Output JavaLand 2015 presentation by Ed Burns;reddit.com -1;1427748262;8;New book Web Development with Java and JSF;blogs.oracle.com -4;1427741117;9;Jackson module for model without default constructors and annotations;github.com -3;1427740598;7;Extending NetBeans with Nashorn Geertjan s Blog;blogs.oracle.com -26;1427733615;4;Microtyping in Java revisited;michael-snell.com -7;1427729109;4;JSF standard converters example;examples.javacodegeeks.com -32;1427729030;5;My Trip to JavaLand 2015;thoughts-on-java.org -6;1427728896;4;Developing applications using ICEfaces;genuitec.com -6;1427727890;5;Database Schema Migration for Java;java-tv.com -8;1427727702;11;Handling 10k socket connection on a single Java thread with NIO;coralblocks.com -4;1427723994;6;Infusing Java into the Asciidoctor Project;voxxed.com -12;1427719572;10;While You Were Sleeping The Top New Java 8 Additions;blog.takipi.com -5;1427717418;7;Lightweight Metrics for your Spring REST API;baeldung.com -17;1427715582;4;Future proofing Java objects;jacek.rzrz.pl -0;1427686435;14;Why do companies make apps in Java when it could be made in HTML;self.java -2;1427666757;14;Why You Should Care About the Java EE Management API 2 0 JSR 373;voxxed.com -1;1427666708;14;Maven Plugin Generate SoftWare IDentification SWID Tags according to ISO IEC 19770 2 2009;github.com -9;1427662594;8;How to OAUTH 2 0 With Spring Security;aurorasolutions.io -99;1427652244;10;I love documenting code Is this an actually useful skill;self.java -11;1427639821;8;Apache Maven Compiler Plugin Version 3 3 Released;mail-archives.apache.org -18;1427639750;6;Apache Tomcat 8 0 21 available;mail-archives.apache.org -8;1427639679;6;Apache PDFBox 1 8 9 released;mail-archives.apache.org -2;1427629143;12;Can you recommend any resources website in which I can practice OOP;self.java -29;1427606855;30;Brand new to programming 4 weeks and just finished my first program I don t hate with Java Swing I call it Calculator 2 0 Can I get some feedback;github.com -8;1427561486;23;Currently learning Java EE but how much into JavaScript should I learn if I don t want to be focused in front end;self.java -0;1427553410;7;JAXB Is Doing It Wrong Try Xembly;yegor256.com -3;1427551556;7;How to batch DELETE statements with Hibernate;vladmihalcea.com -4;1427551143;8;Being Functional with Java 8 Interfaces and JRebel;zeroturnaround.com -4;1427550805;14;Why You Should Care About the Java EE Management API 2 0 JSR 373;voxxed.com -8;1427485244;7;Build scalable feeds with GetStream and Java;github.com -0;1427482789;7;How to build a simple stack machine;unnikked.ga -0;1427471086;7;what level of programmer is this guy;self.java -0;1427470026;7;What s new in Spring Data Fowler;spring.io -9;1427468640;13;JBoss releases first beta of their beta AS WildFly 9 0 0 Beta1;developer.jboss.org -138;1427461508;12;Error Prone Google library to catch common Java mistakes at compile time;errorprone.info -3;1427461251;17;Sneak a peak at Vert x 3 0 and try out milestone 3 xpost from r vertx;vert-x3.github.io -11;1427443176;4;GUI Builders Good Bad;self.java -11;1427422973;6;Eclipse What are your favorite HotKeys;self.java -4;1427417803;11;Have you ever been part of an in office coding contest;self.java -7;1427407057;9;When should I used the DAO Impl design pattern;self.java -0;1427406199;16;Spring XD 1 1 1 adds Kafka manual acking improved perf amp Spark streaming reliable receiver;spring.io -5;1427395259;8;Websphere MQ JBoss EAP 6 integration via JCA;gautric.github.io -43;1427395074;11;If programming didn t pay well would you still do it;self.java -5;1427393336;8;Monitor Wildfly JBoss Server Stats through Google Analytics;self.java -24;1427382684;13;Spring Security 4 0 0 adds websocket Spring Data and better testing support;spring.io -6;1427381812;9;Spring Integration Kafka Support 1 1 GA is available;spring.io -0;1427377576;11;The top 11 Free IDE for Java Coding Development amp Programming;blog.idrsolutions.com -3;1427377087;6;REST API documentation generator for Java;miredot.com -0;1427373000;7;Getting tomcat amp httpd to play nice;self.java -15;1427367837;7;IntelliJ IDEA Live Templates for Unit Testing;vansande.org -0;1427351309;6;Microsoft Visual Studio 13 Compiling Java;self.java -16;1427333005;10;Anyone know how to get rid of this in eclipse;self.java -2;1427312270;7;Azul Systems Unveil New Clone Zulu Embedded;voxxed.com -10;1427305911;11;New Liberty features for Java EE 7 plus Java 8 support;developer.ibm.com -1;1427296409;4;Reactive Java Use Cases;self.java -0;1427296360;6;Down with Java Up with Lua;self.java -0;1427289775;34;What s the easiest way to generate basic CRUD functionality with a web front end and a MySQL backend Ex create edit delete search a simple Entity like Person with firstName lastName emailAddr cellPhoneNumber;self.java -2;1427287251;17;Is it a good idea to split the login from the application as a separate WAR file;self.java -0;1427279051;16;Java 1 7 0 55 SSL Cert Errors SSL CA Cert is in the Browser Keystore;self.java -16;1427276418;40;As a developer I find writing functional tests even using such great frameworks as Geb and Spock painstakingly boring Especially for lengthy scenarios How do you guys cope with this Is there a way to make this task not boring;self.java -2;1427272022;4;Performance monitoring tool recommendations;self.java -102;1427270492;10;Java 8 API by Example Strings Numbers Math and Files;winterbe.com -2;1427248844;5;Protected Static Possible use cases;self.java -0;1427246378;6;Best online tool to learn java;self.java -1;1427241489;6;Using makers to create clear tests;samatkinson.com -11;1427232275;18;Java The once and future king of Internet programming Internet of Things a natural home for Java work;javaworld.com -11;1427215957;9;Building an extensible HTTP client for GitHub in Java;clever-cloud.com -0;1427214895;7;jOOQ vs Hibernate When to Choose Which;blog.jooq.org -2;1427208363;7;Opensource Tibco RV alternative with Java support;self.java -144;1427204853;5;IntelliJ IDEA 14 1 Released;blog.jetbrains.com -7;1427200673;7;Philips eXp5371 Java enabled Gaming CD Player;mobilemag.com -17;1427194630;8;Why Bet365 swapped Java for Erlang Information Age;information-age.com -0;1427178219;8;Vaadin how to solve the slow rendering problem;self.java -21;1427169838;2;JavaLand 2015;self.java -16;1427162513;4;Java code certificate questions;self.java -1;1427161066;20;Can I use two different GUIs StudentGUI and InstructorGUI both being clients to communicate through a server with Socket Programming;self.java -13;1427151849;6;Resources For Data Structures Practice Problems;self.java -9;1427139052;12;Java Weekly 13 15 JCache RESTful conversations Java EE Management and more;thoughts-on-java.org -1;1427133156;9;How to add local IP to exception site list;self.java -2;1427132926;16;Multiple UI Applications and a Gateway Single Page Application with Spring and Angular JS Part VI;spring.io -8;1427130565;10;Good idea to choose WebSphere for a new JEE project;self.java -32;1427129597;7;Oracle Java Mission Control The Ultimate Guide;blog.takipi.com -13;1427127962;11;Dealing with a open source project maintainer who refuses to communicate;self.java -4;1427125041;19;Write webapp once run it on any platform such as Servlet Netty Grizzly Vert x Play and so on;cettia.io -6;1427095980;12;Java Weekly 13 15 JCache RESTful conversations Java EE Management and more;thoughts-on-java.org -1;1427090041;5;Audit4j 2 3 1 Released;audit4j.org -6;1427073875;5;Dropwizard MongoDB and Gradle Experimenting;javacodegeeks.com -49;1427044610;8;How does Oracle Labs new JIT compiler work;youtube.com -4;1427039451;8;Apache Batik 1 8 Released CVE 2015 0250;mail-archives.apache.org -2;1427039225;7;HttpComponents Core 4 4 1 GA released;mail-archives.apache.org -73;1427004884;4;The snootiness of programmers;self.java -38;1426989677;8;JBake a Java based static site blog generator;jbake.org -2;1426984604;13;What do you consider to be the best resource to learn JAX RS;self.java -2;1426976017;11;Is there interest in an EventBus that doesn t use reflection;self.java -4;1426975404;5;Java web framework online lectures;self.java -14;1426974663;5;Java web framework like Django;self.java -3;1426960212;5;Bash Pipes vs Java Streams;github.com -34;1426955559;7;Does anybody using OpenJDK 8 in production;self.java -3;1426948983;36;Hi r java I ve halted development on an open source side project for image and video frame filtering on Android Would anybody use this If there s interest I ll continue development and release it;github.com -3;1426938371;8;Java 8 20 Date and Time API Examples;javarevisited.wordpress.com -7;1426931412;13;Show r java semantic amp full text code search for Java GitHub repos;sourcegraph.com -0;1426917696;7;Book recommandations BOOKS BOOKS AND MORE BOOKS;self.java -73;1426875488;20;The company I m at wants to do a complete upgrade from Java 6 Should I propose 7 or 8;self.java -3;1426865502;6;Spock by Example Introducing the Series;eclipsesource.com -15;1426863937;4;From Python to Java;self.java -0;1426850216;5;Java Cloneable critique discussion time;self.java -24;1426846040;8;JDK 9 Compiler support for private interface methods;mail.openjdk.java.net -19;1426844582;7;Did AngularJS borrow some concepts from JSF;maxkatz.org -2;1426836508;12;Recording and slides of Graal tutorial Compiler written in Java for JavaBytecode;mail.openjdk.java.net -6;1426829281;7;Critique time Java 8 Optional and chaining;self.java -17;1426813441;4;Java 9 and Jigsaw;self.java -4;1426812062;11;jPopulator a handy tool to populate Java Beans with random data;github.com -19;1426808237;7;Java EE authorization JACC revisited part III;arjan-tijms.omnifaces.org -46;1426802658;9;Ever heard of Selenium Check out this Java Tutorial;airpair.com -4;1426801477;4;Java projects for resume;self.java -4;1426782874;13;Optional in Java Why it can shield but not save you from null;michael-snell.com -5;1426781201;3;JavaScript to Java;self.java -5;1426773152;13;Java AOT compiler Excelsior Jet charity bundle is back starting at US 10;self.java -1;1426768311;7;The dark side of Hibernate AUTO flush;vladmihalcea.com -20;1426766616;11;Jackdaw is a Java Annotation Processor which allows to simplify development;github.com -94;1426764988;7;Java 9 will be lightweight and modular;in.techradar.com -13;1426763659;15;Why we are abandoning ImageIO and JAI for Image support in our commercial Java code;blog.idrsolutions.com -0;1426731729;7;How would you implement this Java class;self.java -1;1426719910;10;Spring Boot Support in Spring Tool Suite 3 6 4;spring.io -0;1426716853;9;Apache Maven JavaDoc Plugin Version 2 10 2 Released;mail-archives.apache.org -15;1426716530;4;Maven 3 3 1;maven.apache.org -0;1426713873;6;Jetty 9 2 10 v20150310 Released;dev.eclipse.org -1;1426713770;18;Netty Three releases a day 5 0 0 Alpha2 4 1 0 Beta4 and 4 0 26 Final;netty.io -18;1426713626;6;Apache Camel 2 15 0 released;mail-archives.apache.org -4;1426713037;4;Convert PDF to excel;self.java -0;1426708940;4;Java Hashmap quick question;self.java -2;1426699819;10;Async Goes Mainstream 7 Reactive Programming Tools You Must Know;blog.takipi.com -10;1426698923;6;Turning on GC logging at runtime;plumbr.eu -12;1426698812;9;Using JASPIC to secure a web application in GlassFish;voxxed.com -8;1426698684;7;Top tips and links for JSF developers;codebulb.ch -9;1426696639;12;JSF 2 3 now supports Map in ui repeat and h dataTable;jdevelopment.nl -79;1426690786;5;r java hits 40K subscribers;redditmetrics.com -3;1426684271;6;What Lies Beneath OpenJDK PDF slides;java.net -13;1426680701;7;Java 8 Functional Interfaces and Checked Exceptions;codingjunkie.net -79;1426677823;29;What GUI library for java do you or most people use these days Im still using swing with netbeans am I outdated Couple newbie questions for you awesome programmers;self.java -3;1426675209;9;How to batch INSERT and UPDATE statements with Hibernate;vladmihalcea.com -4;1426674123;4;JPA Database Schema Generation;radcortez.com -3;1426668641;7;Testing your Spring Boot application with Selenium;g00glen00b.be -18;1426665576;5;Primitives in Generics part 2;nosoftskills.com -2;1426653046;8;Luciano Fiandesio VIM configuration for happy Java coding;lucianofiandesio.com -5;1426631569;10;What are the best Spring in person paid courses training;self.java -12;1426631408;5;RebelLabs Java Performance Survey 2015;rebellabs.typeform.com -0;1426612348;22;I have a selenium screenshotting java file that I want to make more central to distribute across the company for usage help;self.java -9;1426606646;11;Free O Reilly Microservices eBook Migrating to Cloud Native Application Architecture;pivotal.io -0;1426604327;3;Eclipse or Intellij;self.java -2;1426593844;6;OkHttp 2 3 has HTTP 2;publicobject.com -1;1426585180;12;Suggest any project ideas to implement using Java springs and hibernate framework;self.java -135;1426560413;4;Java Forever And Ever;youtube.com -7;1426558239;6;jexer Pure Java Turbo Vision lookalike;github.com -7;1426545748;5;Apache JMeter 2 13 released;mail-archives.apache.org -4;1426542461;13;Java Weekly 12 15 CDI templating in MVC Keycloak recorded sessions and more;thoughts-on-java.org -16;1426537759;13;How do I implement an AJAX based polling on a web application efficiently;self.java -49;1426517007;10;The decline of Java application servers when using Docker containers;medium.com -0;1426504640;9;Externalizable interface and its implementation in Java with Example;codingeek.com -17;1426500806;4;Flyway 3 2 released;flywaydb.org -0;1426496256;9;Would you call Spring Security a type of AOP;self.java -3;1426494172;11;How to Convert Word to PDF in Java with Free tools;docmosis.com -9;1426492074;6;Avoiding Null Checks in Java 8;winterbe.com -4;1426483887;18;Prior to java 8 was the reflection API essentially the way you d be able to implement callbacks;self.java -3;1426456513;4;Remote programming on android;self.java -67;1426443682;10;What are good coding practices that you wish everyone used;self.java -10;1426416132;3;Tuning Java Servers;infoq.com -17;1426410986;5;Java Checked vs Unchecked Exceptions;jevaengine.com -1;1426362888;8;Release Notes for XWiki 7 0 Milestone 2;xwiki.org -22;1426355655;5;There can be only one;michael-snell.com -57;1426353799;7;Maven s Inflexibility Is Its Best Feature;timboudreau.com -3;1426352424;10;What would you choose between JavaFX 8 and NetBeans RCP;self.java -1;1426305452;15;Google WindowBuilder Does a system require the plugin to run an application developed using WindowBuilder;self.java -35;1426290770;7;Simplifying class instance matching with java 8;onoffswitch.net -1;1426282272;7;What practical programs exercises should I do;self.java -0;1426271984;9;MVC vs JSF a bit of a different perspective;weblogs.java.net -11;1426270108;11;Liberty EE 7 March 15 beta now supports JSF 2 2;developer.ibm.com -59;1426251505;6;10 Java Articles Everyone Must Read;blog.jooq.org -6;1426246261;4;Baeldung Weekly Review 11;baeldung.com -50;1426236994;14;NetBeans have updated their Tutorials Guides and Articles something for both beginners and Experts;netbeans.org -31;1426202802;10;How useful are abstract classes now that interfaces have defaults;self.java -2;1426180082;3;BenchmarkSQL for Firebird;firebirdnews.org -21;1426172511;5;JBoss PicketLink or Apache Shiro;self.java -1;1426169354;7;Exploring the Start Page in NetBeans IDE;blog.idrsolutions.com -9;1426127537;4;Book for Learning Java;self.java -9;1426119030;13;The most popular Java EE servers in 2014 2015 according to OmniFaces users;arjan-tijms.omnifaces.org -0;1426110470;10;How do I get the Ask toolbar when installing Java;self.java -3;1426108399;5;Best Book for programming newbies;self.java -2;1426102658;7;Optimizer for Eclipse for Slow Eclipse installations;zeroturnaround.com -21;1426098155;9;ZeroTurnaround Kick Things Up on Eclipse with Free Optmiser;voxxed.com -59;1426097044;19;RoboVM 1 0 released write native iOS apps in Java Scala Kotlin share code with Android and your backend;robovm.com -17;1426096359;7;SceneBuilder 8 0 0 installers available Gluon;gluonhq.com -5;1426081225;5;Getting Java Event Notification Right;codeaffine.com -0;1426061800;8;What we learnt about Spring while developing Quizzie;blog.ninja-squad.com -189;1426054829;13;Came across this repository It includes examples and documentation about Java design patterns;github.com -21;1426052073;6;Free Java Game Dev Tutorials ongoing;youtube.com -2;1426049874;8;How good can video games get using java;self.java -4;1426027505;6;Drools 6 2 0 Final Released;blog.athico.com -11;1426025668;8;Apache Maven Jar Plugin Version 2 6 Released;markmail.org -27;1425998578;12;OptaPlanner 6 2 0 Final released giant leap for vehicle routing scalability;optaplanner.org -9;1425997083;5;PrimeFaces Sentinel Live Preview Demo;blog.primefaces.org -16;1425994972;6;The Java Legacy is Constantly Growing;blog.jooq.org -19;1425989732;9;How to activate Hibernate Statistics to analyze performance issues;thoughts-on-java.org -27;1425979532;9;Java EE Security API JSR 375 Update The Aquarium;blogs.oracle.com -0;1425979480;15;Java Basic Data Types Java Basic Data Types Tutorials 2015 Primitive Data Types in JAVA;youtu.be -2;1425978636;9;Using Spring Data Crate with your Java REST Application;crate.io -5;1425975725;3;Spring Boot downsides;self.java -9;1425940483;7;JavaFX links of the week March 9;fxexperience.com -6;1425932183;9;Questions about Vaadin coming from a full stack developer;self.java -18;1425929008;9;Java IO Benchmark Quasar vs Async ForkJoinPool vs managedBlock;blog.takipi.com -3;1425928991;4;Jenkins in a Box;supposed.nl -0;1425928341;6;Question about University College Programming Courses;self.java -3;1425923897;15;Professional devs how much programming knowledge did you have before you got your first job;self.java -12;1425921920;9;Screencast Up amp Running with Comsat Dropwizard and Tomcat;blog.paralleluniverse.co -8;1425916026;21;I m planning to learn a Java web framework and I m complete noob about the ecosystem What would you recommend;self.java -55;1425915085;6;Is there a better looking javadoc;self.java -9;1425913522;14;Java Weekly 11 15 Java Money REST API evolution CDI 2 0 and more;thoughts-on-java.org -0;1425908471;10;uniVocity parsers 1 4 0 released with even more features;univocity.com -25;1425895918;43;I had left the Java world behind since 2010 and I am about to join a new Java project soon that is mainly based on the Spring Framework How popular is Spring these days Career wise does it still worth investing in it;self.java -6;1425892664;6;RichFaces 4 5 3 Final released;developer.jboss.org -6;1425889927;7;How to test Collection implementations with Guava;blog.codefx.org -61;1425877261;14;Dropwizard is a Java framework for developing ops friendly high performance RESTful web services;dropwizard.io -3;1425871678;8;Recommended code generation tools for Bean DTO mappings;self.java -11;1425842898;9;Getting Started with Gradle Creating a Web Application Project;petrikainulainen.net -13;1425823023;6;Composite Decorators aka decorator pattern rocks;yegor256.com -52;1425819815;10;Implementing a world fastest Java int to int hash map;java-performance.info -16;1425818518;9;Streamable is to Stream as Iterable is to Iterator;self.java -30;1425808854;4;Java Development without GC;coralblocks.com -0;1425773093;11;Is it just me or is the JavaFX scene builder shit;self.java -1;1425762068;14;How to make a 2D game for Android Episode 5 Using ArrayList and Paint;youtube.com -36;1425746681;25;It appears as though I have landed my first java web services development job What are some tools libraries APIs that are a must have;self.java -1;1425731811;8;Adding Mnemonic and Accelerator to Menuitem JMenuItem Swing;java2s.com -14;1425724919;5;Maven multi module release plugin;danielflower.github.io -6;1425723984;7;Visualizing CDI dependency graphs with Weld Probe;blog.eisele.net -4;1425680208;5;Is OCAJP good for starter;self.java -6;1425679033;3;Release Notes Dropwizard;dropwizard.io -7;1425673175;10;JSF 2 3 now supports Iterable in UIData amp UIRepeat;jdevelopment.nl -0;1425668996;12;How to make a 2D game for Android Episode 4 The Player;youtube.com -0;1425668379;13;How to make a 2D game for Android Episode 2 The Game Loop;youtube.com -8;1425666256;9;Name Munging camelCase to underscore_separated etc for Java 8;github.com -3;1425661801;9;Style poll private static final LOG log or logger;self.java -83;1425660487;12;Oracle now bundling Ask com adware with Java for Mac Linux next;macrumors.com -0;1425660149;12;Need some way to share code and not have it be copied;self.java -1;1425647529;4;Enumerating NamedQuery within NamedQueries;davidsalter.com -7;1425646243;4;50 Shades of TomEE;tomitribe.com -7;1425640832;9;Apache Spark as a no single point of failure;self.java -12;1425617201;14;How to make a 2D game in Android Episode 1 Setting up Android Studio;youtube.com -1;1425612225;4;Java XML based framework;self.java -1;1425610954;8;Convert java program to javascript for a webapp;self.java -1;1425605827;4;Eclipse exporting a jar;self.java -83;1425604118;10;Now MacJava Users Can Have an Ask Toolbar from Oracle;zdnet.com -8;1425600330;6;java net website being ridiculously slow;self.java -0;1425589114;13;Criteria Update Delete The easy way to implement bulk operations with JPA2 1;thoughts-on-java.org -6;1425588860;5;BootsFaces 0 6 5 released;beyondjava.net -1;1425588790;9;Difference between interfaces and abstract classes pre java 8;programmerinterview.com -1;1425578989;5;Caching hashcode Good or bad;self.java -3;1425578396;7;How to deal with subprocesses in Java;zeroturnaround.com -14;1425565605;9;Implementing a 30 day trial for a Java library;self.java -10;1425559239;8;Java 8 Repeating Annotation Explained in 5 minutes;blog.idrsolutions.com -33;1425548719;13;Oracle s piping hot new pot of Java takes out the trash faster;theregister.co.uk -29;1425544593;8;Fixing Java 8 Stream Gotchas with IntelliJ IDEA;winterbe.com -8;1425544034;10;A beginner s guide to JPA and Hibernate Cascade Types;vladmihalcea.com -0;1425540068;9;Execute code on webapp startup and shutdown using ServletContextListener;deadcoderising.com -17;1425517349;5;How did you learn Java;self.java -2;1425506685;10;Java workflow engine how to build a user defined workflow;self.java -7;1425506649;5;A Simple Java Incremental Builder;github.com -6;1425497079;7;constant java version upgrades for server app;self.java -1;1425496474;9;Spring Cloud 1 0 0 delivers infrastructure for microservices;spring.io -4;1425485468;19;Are lambdas in Java a preference for a minority of developers or are they going to be the norm;self.java -9;1425482521;10;Package your Java EE application using Docker and Kubernetes VirtualJUG;virtualjug.com -1;1425482435;5;The Live Reflection Madness VirtualJUG;virtualjug.com -9;1425477675;5;Prevent Brute Force Authentication Attempts;baeldung.com -43;1425473873;9;How to Map Distinct Value Types Using Java Generics;codeaffine.com -22;1425473070;15;Go for the Money JSR 354 Adds First Class Money and Currency Support to Java;infoq.com -17;1425472984;7;JBoss has started a JBoss Champions program;jboss.org -19;1425467164;12;Resource Handling in Spring MVC 4 1 x post from r springsource;spring.io -6;1425465677;2;TrueVFS Tutorial;truevfs.java.net -4;1425464086;7;Tutorial The JSR 203 file attribute API;codementor.io -14;1425454935;8;CDI 2 0 A glimpse at the future;cdi-spec.org -1;1425441648;5;Any success stories with RoboVM;self.java -4;1425436404;7;Java Tip Retrying operation with Guava Retrying;ashishpaliwal.com -1;1425434615;12;Beginner looking for an example for a function in purpose of understanding;self.java -4;1425422714;12;Core Java J2EE Spring Hibernate JAX RS EJB Tutorials powered by FeedBurner;feeds.feedburner.com -2;1425420690;6;Apache Archiva 2 2 0 Released;mail-archives.apache.org -33;1425381256;3;REST API Evolution;radcortez.com -10;1425362188;7;SO Why are Java Streams once off;stackoverflow.com -8;1425360883;7;JBoss Tools Docker and WildFly Part 1;tools.jboss.org -31;1425347584;3;Why Non Blocking;techblog.bozho.net -5;1425346205;13;To those of you who program Java for a living how is it;self.java -2;1425329438;6;The Portable Cloud Ready HTTP Session;spring.io -6;1425328872;8;SimpleFlatMapper Jdbc mapping now support 1 n relationship;github.com -9;1425320459;13;Java Weekly 10 15 Java Threads lock modes JAX RS caching and more;thoughts-on-java.org -4;1425319887;18;Best book for Java Collections I struggle with figuring out whats the best mechanism for holding multiple objects;self.java -4;1425319369;6;Java Bootstrap Dropwizard vs Spring Boot;blog.takipi.com -56;1425318760;9;Story of a Java 8 Compiler Bug JDK 8064803;blog.dogan.io -47;1425317827;11;SmileMiner A Java library of state of art machine learning algorithms;github.com -8;1425315436;3;Optional ifPresent otherwise;self.java -36;1425306536;10;Head of Groovy Project Guillaume Laforge Joining API Platform Restlet;restlet.com -14;1425304309;12;Why I Am Excited About JDK 8 Update 40 Geertjan s Blog;blogs.oracle.com -0;1425288508;4;removing java deployment rule;self.java -1;1425270832;10;Tool to bulk import large amounts of files into S3;github.com -19;1425266427;7;Google Doc Analog for live editing code;self.java -23;1425252259;19;Easy Batch 3 0 is finally out Check it out and give us your feedback we need your help;easybatch.org -5;1425239709;10;Remove JPA annotations before building JAR for 3rd party use;self.java -26;1425225084;6;Apache POI 3 12 beta1 released;mail-archives.apache.org -8;1425204884;8;How to shoot yourself in foot with ThreadLocals;javacodegeeks.com -2;1425179441;2;Help needed;self.java -17;1425178364;21;Spring Framework Have you ever had to implement the BeanNameAware interface in your applications Why was it needed to do so;self.java -30;1425161077;7;Any good libraries for reading mp3 files;self.java -0;1425160650;4;Best book for beginners;self.java -5;1425155792;13;CVE 2015 0254 XXE and RCE via XSL extension in JSTL XML tags;mail-archives.apache.org -29;1425155753;5;Apache Log4j 2 2 released;mail-archives.apache.org -1;1425140743;13;Looking for guidance on how to approach a game I want to make;self.java -18;1425140224;5;JavaFX Tutorial 5 Media Elements;youtube.com -24;1425136380;4;C the Java way;self.java -0;1425075743;14;Object Oriented Test Driven Design in C and Java A Practical Example Part 4;insidethecpu.com -0;1425066071;30;I can t run most applets because java security blocks them How do I lower security to medium low nonexistent for java 8u31 Why doesn t this option exist anymore;self.java -3;1425062863;7;Relatively easy open source projects to deconstruct;self.java -10;1425062705;10;Using Java 8 Lambda expressions in Java 7 or older;mscharhag.com -3;1425054286;7;Java Generics in Depth maybe part 1;stanpalatnik.github.io -1;1425044796;3;Reusable monadic computations;self.java -159;1425042278;11;Codehaus birthplace of many Java OSS projects coming to an end;self.java -7;1425032534;9;Fast way to improve loops performance using java 8;self.java -4;1425029963;5;replacing DocProperty in docx file;self.java -1;1425028060;7;Spring Security 4 0 0 RC2 Released;spring.io -0;1425027483;5;Online Professional Core Java Tutorials;self.java -2;1425027317;7;Houdini type conversion system for Spring framework;github.com -14;1425022038;3;PrimeFaces Sentinel Released;blog.primefaces.org -0;1425013432;6;Java amp JVM Conquer the World;zeroturnaround.com -10;1424996156;11;From compiler to backward compatibility here are 10 reasons Java RULES;voxxed.com -6;1424986326;9;Best Hibernate book to date for experienced Java developers;self.java -9;1424978406;8;Interface Evolution With Default Methods Part I Methods;blog.codefx.org -25;1424976895;7;what do you guys like in java;self.java -13;1424972499;6;Best practice for mocking a ResultSet;self.java -2;1424966074;16;How to show exactly whether the popularity of Java for desktop is increasing decreasing or dead;self.java -0;1424963019;4;Mocking should be Mocked;matthicks.com -1;1424961140;15;Is there a way or vm to run unsigned or self signed applet or jnlp;self.java -0;1424960532;13;What features tools conventions standards would you like Java to take ideas from;self.java -19;1424954483;6;Should I test drive my builders;ncredinburgh.com -4;1424905095;12;Package Drone 0 2 0 released The OSGi first software artifact repository;packagedrone.org -14;1424901948;34;CVE 2014 3578 Directory traversal vulnerability in Pivotal Spring Framework 3 x before 3 2 9 and 4 0 before 4 0 5 allows remote attackers to read arbitrary files via a crafted URL;cvedetails.com -25;1424901689;9;Getting up to speed with Java 7 and 8;self.java -9;1424901578;8;Bouncy Castle dev crypto 1 52 release candidate;bouncycastle.org -6;1424901039;9;Critical Security Release of Jetty 9 2 9 v20150224;dev.eclipse.org -4;1424900966;6;Apache Commons DBCP 2 1 released;mail-archives.apache.org -9;1424900900;6;Apache Tomcat 8 0 20 available;mail-archives.apache.org -0;1424898812;4;ELI5 void return type;self.java -1;1424893379;4;Benefits of micro frameworks;self.java -1;1424893144;8;How to add JasperReports library to Gradle project;dziurdziak.pl -0;1424886666;16;Help us learn more about current software architecture roles with this short survey from O Reilly;oreil.ly -9;1424880009;4;Introducing EagerFutureStream amp LazyFutureStream;medium.com -34;1424876740;4;Java 8 code style;self.java -13;1424867563;14;JSF 2 3 news facelets now default to non hot reload in production stage;jdevelopment.nl -18;1424864975;9;JVM Minor GC vs Major GC vs Full GC;plumbr.eu -6;1424860946;6;Runescape the most famous java game;self.java -0;1424858801;6;Retry After HTTP header in practice;nurkiewicz.com -14;1424856613;9;Experiences of a startup with using Java EE 7;adam-bien.com -1;1424855957;17;Mocking in Java why mocking why not mocking mocking also those awful private static methods Federico Tomassetti;tomassetti.me -4;1424852619;6;Herald Logging annotation for Spring framework;github.com -27;1424851644;7;Java 8 default methods as traits safe;stackoverflow.com -3;1424814817;12;Why we built illuminate and where we think APM is going next;jclarity.com -0;1424814371;11;Can anyone help me find out the problem here NEWBIE HELP;self.java -16;1424814249;20;How would you structure your web application to keep one code base for several customers each with their own customizations;self.java -7;1424812248;7;JSF 2 3 project overview and progress;jsf.zeef.com -0;1424784905;11;Where can I find good resources about p2p decentralized application development;self.java -33;1424783615;13;Some really old legacy from Oak the predecessor of Java Java abstract interface;stackoverflow.com -0;1424781621;11;Mac Java 8 update 31 has been updated to Update 31;self.java -97;1424780931;19;Proving that Android s Java s and Python s sorting algorithm is broken and showing how to fix it;envisage-project.eu -1;1424776127;12;An implementation of an argmax collector using the Java 8 stream APIs;gist.github.com -4;1424775958;7;Java Bug Fixed with Formal Methods CWI;cwi.nl -0;1424774805;12;A bookmarklet to switch from Java 7 to Java 8 API documentation;gist.github.com -18;1424771481;6;Hierarchical projects coming to Eclipse Mars;tools.jboss.org -13;1424734244;10;How does Java Both Optimize Hot Loops and Allow Debugging;cliffc.org -121;1424730377;2;Freaking Brackets;i.imgur.com -10;1424719198;5;Does Java need more Tutorials;self.java -1;1424717193;9;Stupid question How do I start my java programs;self.java -4;1424716231;8;Building RESTful Java EE Microservices with Payara Embedded;voxxed.com -6;1424715152;7;Work around same erasure errors with Lambdas;benjiweber.co.uk -25;1424713291;4;Is NetBeans frowned upon;self.java -3;1424710873;18;Newbie here Wanted to know what is the difference in Java 6 and Java 7 and Java 8;self.java -6;1424710819;8;Why you should be monitoring your connection pools;vladmihalcea.com -4;1424707510;4;Spring Security Registration Tutorial;baeldung.com -4;1424701845;4;Baeldung Weekly Review 7;baeldung.com -10;1424700948;13;Java Weekly 9 15 Reflection a Java 8 pitfall Flyway MVC and more;thoughts-on-java.org -15;1424638606;17;Noob warning New grad been working with Java for 3 years never used JBoss why should I;self.java -0;1424637219;12;Java Makes Programmers Want To Do Absolutely Anything Else With Their Time;forbes.com -19;1424634346;7;What is Java s equivalent of Monogame;self.java -0;1424625298;9;java lang NoSuchFieldError INSTANCE with Spring Social on Azure;stackoverflow.com -0;1424591047;11;Another one bites the Maven Central dust and saved by Bintray;blog.bintray.com -0;1424578300;9;How do I install Java when this comes up;i.imgur.com -9;1424577063;8;Creating a MYSQL JDBCProvider in IBM Integration Bus;daveturner.info -3;1424538239;4;Generating REST client jar;self.java -9;1424537913;11;How specialized are the Stream implementations returned by the standard collections;stackoverflow.com -4;1424522950;6;HttpComponents Client 4 4 GA Released;mail-archives.apache.org -0;1424522428;1;java;self.java -40;1424521068;11;Spring Framework 4 1 5 released x post from r springsource;spring.io -0;1424486788;2;Learning Java;self.java -26;1424459449;3;Value Based Classes;blog.codefx.org -0;1424456632;16;Do you think that Code Review checklist is a mandatory thing that a developer should follow;j2eebrain.com -0;1424454505;14;Object Oriented Test Driven Design in C and Java A Practical Example Part 3;insidethecpu.com -0;1424452552;6;Java EE Tutorial 12 1 Maven;youtube.com -6;1424445653;9;London JavaEE and GlassFish User Group with Peter Pilgrim;payara.co.uk -14;1424433967;13;All about MVC 1 0 the new MVC framework for Java EE 8;mvc.zeef.com -0;1424423659;4;Baeldung Weekly Review 8;baeldung.com -2;1424404662;3;Salary raise negotiation;self.java -4;1424388066;8;Spring Boot on OpenShift and Wildfly 8 2;blog.codeleak.pl -7;1424381420;5;Dependency Injection Without a Framework;drew.thecsillags.com -12;1424378567;9;Reactor 2 0 0RC1 debuts native reactive streams support;spring.io -3;1424372145;9;Using a JMS Queue to audit JPA entity reads;c4j.be -6;1424371676;9;Database Migrations in Java EE using Flyway Hanginar 6;blog.arungupta.me -3;1424364472;12;Instantly develop web apps on line with Rapidoid Java 8 cloud IDE;rapidoid.io -33;1424348230;17;Does a script language such as Python running on the JVM has the same performance as Java;quora.com -0;1424331617;4;Android studios help needed;self.java -4;1424328554;4;Getting Eclipse on arm;self.java -1;1424305684;7;RMI Problems Wall of exception via tcpdump;self.java -0;1424295086;6;Architecture Play 2 RESTful API AngularJS;self.java -2;1424293777;3;Opinions on school;self.java -5;1424291869;9;Liberty application server now free if RAM lt 2GB;developer.ibm.com -3;1424289461;8;Place with quality open source code for learning;self.java -0;1424276645;5;Junior Java Developer Position Available;self.java -1;1424268263;10;Java SDK for accessing data from forums news amp blogs;github.com -68;1424263736;7;Thou Shalt Not Name Thy Method Equals;blog.jooq.org -18;1424227633;17;As a professional do you spend more time writing your own code for editing someone else s;self.java -9;1424198646;7;SpringOne2GX 2015 CFP open close April 17th;springone2gx.com -27;1424196246;7;Netflix Nicobar Dynamic Scripting Library for Java;techblog.netflix.com -6;1424195619;5;What happened to spring rpc;self.java -4;1424177891;7;JavaLand 2015 Early Adopter s Area Preview;weblogs.java.net -7;1424177866;5;Quick view of fabric8 v2;vimeo.com -27;1424148819;9;JPA 2 1 12 features every developer should know;thoughts-on-java.org -11;1424142437;6;How useful are Sun SPOTs now;self.java -12;1424130069;11;why doesn t Java s type inference extend beyond lambda declarations;self.java -12;1424118065;18;Are there any libraries that mimic input devices such as keyboard mouse that is not the Robot class;self.java -8;1424106130;11;Does a library for getting objects from another running application exist;self.java -25;1424101056;16;Stagemonitor the open source java web application performance monitoring tool now has a public live demo;stagemonitor-demo.isys-software.de -33;1424095676;9;Byteman the Swiss army knife for byte code manipulation;blog.eisele.net -55;1424093133;12;Beginners Guide to Using Mockito and PowerMockito to Unit Test Java Code;johnmullins.info -5;1424072421;13;Java Weekly 8 15 Docker JVM mysteries a dynamic scripting lib and more;thoughts-on-java.org -3;1424071525;9;Hibernate locking patterns How does PESSIMISTIC_FORCE_INCREMENT Lock Mode work;vladmihalcea.com -33;1424069880;8;A Thorough Guide to Java Value Based Classes;blog.codefx.org -27;1424020301;6;Apache Tomcat 7 0 59 released;mail-archives.apache.org -0;1424015965;9;Strange behaviour of DELETE sub resource in Spring MVC;stackoverflow.com -0;1424010380;4;I need little help;self.java -0;1423993125;14;so the console is not giving me any output Any ideas why that is;imgur.com -3;1423955473;6;Java 8 streams API and parallelism;radar.oreilly.com -5;1423955049;9;Interesting things about the tests in the JUnit project;sleepeasysoftware.com -71;1423944184;19;I gathered all the Java 8 articles and presentations I was able to find on this one resources page;baeldung.com -0;1423929612;8;java 8 31 download broken on java com;self.java -22;1423925433;4;Multi Version JAR Files;openjdk.java.net -23;1423925306;13;Proposal removing all methods that use the AWT peer types in JDK 9;mail.openjdk.java.net -67;1423916032;7;Java Doesn t Suck Rockin the JVM;spring.io -16;1423886215;9;Where to go next with learning advanced Java concepts;self.java -3;1423870599;13;Is there a scientific calculator that can run java class files or jars;self.java -0;1423869092;3;Hot New Language;adamldavis.com -0;1423864675;8;Need ideas for a java based dissertation project;self.java -9;1423863436;27;Is there a service where you point it at a Github repo containing a pom xml file and it will automatically deploy to a public maven repo;self.java -8;1423843788;8;Massive Java EE 7 update for Liberty beta;developer.ibm.com -10;1423841539;11;JavaFX properties a clear example of why Java needs REAL properties;self.java -4;1423835818;7;Error Handling Without Throwing Your Hands Up;underscore.io -6;1423830665;8;Oracle And IBM Are Moving In Opposite Directions;adam-bien.com -4;1423828137;8;Setting up Spring MVC JPA Project via XML;self.java -3;1423816139;2;Hardware programming;self.java -1;1423797988;7;Most similar Spring setup for Symfony2 team;self.java -31;1423797697;4;From net to Java;self.java -6;1423770276;4;Gemnasium alternatives for Java;self.java -7;1423765541;10;Ignore the Hype 5 Docker Misconceptions Java Developers Should Consider;blog.takipi.com -5;1423761969;14;Spring XD 1 1 GA goes big on streaming with Spark RxJava and Reactor;spring.io -30;1423760957;7;The Black Magic of Java Method Dispatch;shipilev.net -42;1423750477;5;Why Java Streams once off;stackoverflow.com -0;1423750039;7;Styling AEM forms and their error messages;blog.karbyn.com -19;1423742812;4;Writing Just Enough Documentation;petrikainulainen.net -6;1423726750;9;JavaFX desktop app through web start jnlp inconsistent behaviour;self.java -7;1423715975;12;What are some quick ways to learn a developement framework for Java;self.java -6;1423697858;4;Opinions on Oracle certification;self.java -9;1423692013;5;Building Microservices with Spring Boot;infoq.com -4;1423679037;3;Why use Java;self.java -0;1423676922;9;How to get date from JDateChooser into the textfield;self.java -8;1423671212;8;Better application events in Spring Framework 4 2;spring.io -2;1423670267;6;Reading log files of transaction system;self.java -9;1423668114;13;Why is my JVM having access to less memory than specified via Xmx;plumbr.eu -0;1423661162;7;Four NOs of a Serious Code Reviewer;yegor256.com -1;1423659949;9;Spring Integration Kafka Extension 1 0 GA is available;spring.io -53;1423656245;8;Various ways of writing SQL in Java 8;jooq.org -0;1423645241;7;Microbench Simple to use java microbenchmarking library;self.java -4;1423641186;10;Java 8 is it really nicer to use it everywhere;self.java -2;1423604917;13;Just starting to learn Java here curious about the steps in learning java;self.java -6;1423603734;5;Spring vs Stripes security wise;self.java -0;1423602221;6;Java Rant what do you think;self.java -4;1423598923;6;Spring Integration debuts a Kafka Extension;spring.io -1;1423597857;13;Spring for Apache Hadoop 2 1 goes big on YARN and Spring Boot;spring.io -0;1423582410;4;How to Use eBay;prolificprogrammer.com -90;1423577754;2;The Irony;i.imgur.com -32;1423562784;10;An introduction to JHipster the Spring Boot AngularJS application generator;spring.io -20;1423562366;7;Tips Tweaks and being Productive with Eclipse;codemonkeyism.co.uk -2;1423542113;3;Minimum Snippet Algorithm;self.java -0;1423540897;16;Need help with a text adventure on how to populate a monster to a specific room;self.java -4;1423524447;14;What are the methods that you use most that you had to create yourself;self.java -0;1423511616;10;Java is the Second Most Popular Programming Language of 2015;blog.codeeval.com -10;1423498819;11;Five years later how is the Oracle Sun marriage working out;itworld.com -0;1423497299;8;Android Studio Migration from Maven Central to JCenter;blog.bintray.com -53;1423497296;7;Dell develops new Java pattern matching solution;opensource.com -16;1423484947;12;Java Weekly 7 15 Clustering WebSockets Batch API Lab Valhalla and more;thoughts-on-java.org -2;1423475732;5;Primitives in Generics part 1;nosoftskills.com -2;1423472101;4;CFV New Project Kona;mail.openjdk.java.net -0;1423471431;7;From JSP to Thymeleaf with Spring Boot;c4j.be -3;1423464028;3;Geo Mapping Library;self.java -0;1423462557;7;Java Code Hacks The Ultimate Deadlock Workaround;blog.takipi.com -0;1423457244;8;Intro Java Tutorial Your 1st Program HelloWorld java;youtu.be -0;1423427043;3;Enumerations Numaraland rmalar;yusufkildan.com -24;1423425033;7;Musings about moving from Java to Scala;blog.rntech.co.uk -0;1423424351;5;Project i was working on;self.java -11;1423422832;7;Groovy in the light of Java 8;javaguru.co -4;1423416919;7;Algorithm for pretty printing a binary tree;self.java -0;1423415056;7;Intro Java Tutorial Install Java and Eclipse;youtu.be -1;1423358828;10;Building A Better Build Our Transition From Ant To SBT;codeascraft.com -8;1423351256;4;2D Java Minecraft Clone;self.java -7;1423350892;9;The Java Posse Java Posse 461 The last episode;javaposse.com -50;1423343939;15;JVM implementation challenges Why the future is hard but worth it JFokus Slides 2015 PDF;cr.openjdk.java.net -0;1423340518;5;Common Maven Problems and Pitfalls;voxxed.com -0;1423336227;4;Proper Usage Of Events;stackoverflow.com -5;1423328459;5;Testing with Spring 4 x;infoq.com -1;1423317666;8;Performance considerations iterating ResultSet vs linked H2 tables;self.java -0;1423307192;10;I need help I don t understand Java at all;self.java -3;1423307065;9;Project which populates a maven repository from github releases;self.java -0;1423307029;18;Wondering the best way to convert multiple lines of user input from console to one line of string;self.java -5;1423285068;12;JUnits How to compare 2 complex objects without overriding toequals hashcode methods;self.java -13;1423284011;12;Anyone have experience with Java based real time heavy processing oriented architectures;self.java -0;1423280183;4;Java DL website broken;javadl.sun.com -5;1423278535;9;Git Repos and Maven Archetypes Our First Web App;youtu.be -0;1423259277;14;Object Oriented Test Driven Design in C and Java A Practical Example Part 2;insidethecpu.com -1;1423257225;13;SimpleFlatMapper v1 5 0 csv and resultset mapper now with better customisation support;github.com -5;1423249290;12;ParsecJ Introduction to monadic parsing in Java x post from r programming;github.com -39;1423248701;5;New Java Champion Jacek Laskowski;blogs.oracle.com -10;1423242602;12;Embracing the Void 6 Refined Tricks for Dealing with Nulls in Java;voxxed.com -10;1423235430;7;What s new in JSF 2 3;jdevelopment.nl -6;1423233850;6;SIGAR System Information Gatherer And Reporter;self.java -0;1423213368;7;Java Training Courses Ahmedabad Java Coaching Classes;prabhasolutions.in -42;1423193774;9;JUniversal A new Java based approach to cross platform;msopentech.com -0;1423190946;15;Installed the JDK but it has adware in the installer did I mess up somehow;self.java -19;1423162668;4;All JavaOne 2014 Sessions;oracle.com -3;1423156070;13;I can t find a good tutorial for making Swing GUIs in IntelliJ;self.java -24;1423154898;8;Java 8 Method References explained in 5 minutes;blog.idrsolutions.com -2;1423139218;5;What is a Portlet 2005;onjava.com -87;1423133766;7;Top 10 Easy Performance Optimisations in Java;blog.jooq.org -4;1423131545;5;Primitives in Generics part 1;nosoftskills.com -0;1423113332;5;OSGi Service Test Helper ServiceCollector;codeaffine.com -16;1423105058;9;any good book for designing reactive systems in java;self.java -6;1423092604;5;Apache HttpClient 4 x Timeout;blog.mitemitreski.com -5;1423082542;4;Java Lambdas Quick Primer;self.java -3;1423077392;16;What kind of impact has Lamda expressions had on the refactoring tools and java code analysis;self.java -19;1423074406;10;r springsource Sub reddit for resources related to Spring framework;self.java -1;1423072149;6;Getting started with ArangoDB and Java;arangodb.com -0;1423069219;26;I was thinking about sending this to a girl whose in computer science The code doesn t quite work yet but I kinda like this idea;self.java -0;1423059926;3;45 Java Quiz;thecodersbreakfast.net -2;1423053344;5;Batch API Hands on Lab;blogs.oracle.com -0;1423053048;5;JavaDay 2014 a leap forward;blog.mitemitreski.com -7;1423052515;9;C2B2 Java EE amp related tech newsletter Issue 20;blog.c2b2.co.uk -0;1423052400;9;Things that make me facepalm on Java EE development;trajano.net -3;1423050329;8;How JVMTI tagging can affect GC pause durations;plumbr.eu -0;1423043558;8;Problem need help Java MYSQL stuff for Uni;self.java -48;1423036112;6;IntelliJ IDEA 14 1 EAP Released;blog.jetbrains.com -0;1423035837;9;Database is wrong for you and all that FUD;jfrog.com -1;1423031823;4;How to Automate Gmail;prolificprogrammer.com -13;1423029384;12;Why Enterprises of different sizes are adopting Fast Data with Apache Spark;typesafe.com -8;1423028817;13;How to mock out a deeply nested class in Spring without going insane;sleepeasysoftware.com -15;1423026466;6;Looking for a Swing testing framework;self.java -1;1423023699;5;oracle java cloud services PaaS;cloud.oracle.com -2;1423023039;7;java play framework for lightweight web applications;playframework.com -7;1423007316;12;Is it possible to simulate a mouse click without moving the mouse;self.java -2;1423006461;3;InetSocketAddress Considered Harmful;tellapart.com -3;1423000839;9;Introducing Package Drone An OSGi first software artifact repository;packagedrone.org -28;1423000430;11;Trying to decide what to dive into next Scala or Groovy;self.java -7;1422996455;5;Maven support for Tomcat 8;self.java -8;1422988378;9;Moving from ANT scripts to Gradle for Java Projects;self.java -17;1422988171;10;SSO with OAuth2 Angular JS and Spring Security Part V;spring.io -11;1422984204;18;Trillian Mobile us RoboVM folks and Lodgon partner so you can write JavaFX apps for Android and iOS;voxxed.com -5;1422981493;15;In search of a tutorial which demonstrates login with Java EE 7 Netbeans and Glassfish;self.java -8;1422974014;8;DAGGER 2 A New Type of dependency injection;youtube.com -7;1422969074;6;Scaling Uber s Realtime Market Platform;qconlondon.com -19;1422964254;8;Why does JSF not just use plainish HTML;self.java -1;1422942176;10;GlassFish Became The Killer AppServer And Then Changed Its Name;adam-bien.com -1;1422935281;6;Hibernate config settings WAS to tomcat;self.java -0;1422923768;3;Suggested Java basics;self.java -14;1422922682;10;Do you use or have you used TomEE for production;self.java -0;1422919320;4;Scratch Java and Rotation;self.java -6;1422884284;24;Trying to dust off Java skills after 5 years what can i add to my tiny project OR what can i do much better;github.com -6;1422880460;6;Recommendations of Software Developer Colaboration Tools;self.java -1;1422877088;10;Developer Interview DI13 Vlad Mihalcea vlad_mihalcea about High Performance Hibernate;blog.eisele.net -38;1422845758;7;Dropwizard painless RESTful JSON HTTP web services;codeaweso.me -4;1422831372;5;An introduction to Open Dolphin;guigarage.com -0;1422829716;21;What would be the best usage of these Interfaces And does order matter in any of these If so which ones;self.java -0;1422817961;10;How can I auto minify my css html and js;self.java -25;1422809144;3;Introduction to Akka;ivanyu.me -12;1422794575;4;Spring JPA Multiple Databases;baeldung.com -4;1422777678;6;ORM Haters Don t Get It;techblog.bozho.net -3;1422776078;8;is marketplace eclipse org down for anyone else;self.java -0;1422761089;6;Noob Java student need help please;self.java -3;1422758905;7;Access file outside of tomcat bin directory;self.java -0;1422750119;14;Java 8 security settings have rendered it useless to me Anybody got any suggestions;self.java -13;1422743341;8;How can I compile a users inserted code;self.java -0;1422726654;14;How can I detect 2d shapes in an image like circles squares and rectangles;self.java -0;1422721852;6;Run a method from another class;self.java -4;1422721633;11;What s new in Payara a GlassFish fork 4 1 151;payara.co -22;1422720232;3;LMDB for Java;github.com -3;1422708204;10;Java 8 Auto Update Java 7 End of Public Update;infoq.com -10;1422705321;4;Apache Maven quarterly report;maven.40175.n5.nabble.com -27;1422698716;5;Spring 4 and Java 8;infoq.com -0;1422696556;12;Please format the following piece of Java code to your preferred style;self.java -0;1422670795;23;Need to hash sets of primitive types I wrote a little utility class that does based on the methods described in Effective Java;gist.github.com -0;1422664975;5;Need help with dividing numbers;self.java -7;1422659783;4;The Serialization Proxy Pattern;blog.codefx.org -0;1422653918;7;found javascript spyware what does it do;self.java -0;1422653529;7;Issues with loading an image to screen;self.java -0;1422646987;5;Nedd Help Java w GUI;self.java -7;1422638453;17;Dropwizard Jhipster or just SpringBoot SpringMVC for modern java web development in a restful and enjoyable way;self.java -2;1422638230;6;Alternatives for ARM less JavaFX Users;voxxed.com -7;1422635774;13;New version of Java run time 8u31 is available with important security updates;oracle.com -24;1422624053;7;FYI java util Optional is not Serializable;stackoverflow.com -2;1422608385;4;A question about ArrayLists;self.java -3;1422608144;6;100 High Quality Java Developers Blogs;programcreek.com -0;1422602804;17;What s the status of relation between JEP 169 Value Objects Value Types for Java Object Layout;mail.openjdk.java.net -248;1422600617;12;Congratulations r Java has been chosen as the SUBREDDIT OF THE DAY;reddit.com -0;1422571936;7;500 Java Interview Questions answered with diagrams;java-success.com -1;1422563294;2;Struts2 Learning;self.java -2;1422560957;8;Static Inner Classes When is it too much;self.java -32;1422553985;8;Why does java not include overflow exception checking;self.java -0;1422550232;9;7 JIRA Integrations to Optimize Your Java Development Workflow;blog.takipi.com -0;1422549826;10;One of my favorite features of Intellij IDEA Call Hierarchy;sleepeasysoftware.com -5;1422548296;14;Spring XD 1 1 RC1 goes big on streaming with Spark Reactor and RxJava;dzone.com -2;1422545678;6;jClarity RMI and System gc Unplugged;jclarity.com -3;1422545609;6;CDI Part 2 The Advanced Features;youtube.com -18;1422545585;7;You Will Regret Applying Overloading with Lambdas;blog.jooq.org -3;1422541175;11;Should I learn any other languages or anything else before proceeding;self.java -16;1422539832;10;Simple Fluent Api for Functional Reactive Programming with Java 8;github.com -5;1422518172;7;Limitations of Java C C vs Java;self.java -4;1422503346;10;Net Web Developer looking to jump aboard the Java ship;self.java -55;1422502715;25;Do you ever feel like you ve spent so much of your profession in Java EE that it isn t worth it to jump ship;self.java -2;1422498929;10;What s a good tool to monitor alert JMX metrics;self.java -18;1422493501;7;Java Book Recommendations for Intermediate Advanced learning;self.java -9;1422484300;12;Is there a Java JSP equivalent to the ruby on rails guides;self.java -6;1422479733;8;Implementing a RESTful API Using Spring MVC Primer;self.java -0;1422479478;8;Part 3 Almost Everything about Replication feat Hazelcast;pushtechnology.com -0;1422478110;7;How to run 2 different java versions;self.java -0;1422475581;9;how can I download java version 1 6 0_29;self.java -7;1422470946;11;The API Gateway Pattern Angular JS and Spring Security Part IV;spring.io -0;1422465242;13;Does Maven Already Ship Witch Eclipse Luna or Should I Still Install It;self.java -13;1422457600;8;The Double Curly Braces Idiom a Poisoned Gift;beyondjava.net -5;1422447294;5;Java Management Extensions Best Practices;oracle.com -18;1422436544;5;Responsive PrimeFaces DataTable Part II;blog.primefaces.org -7;1422427635;12;How will Java 8 handle the leap second of June 30th 2015;self.java -0;1422426749;6;Difference between Abstract Class and Interface;net-informations.com -5;1422420097;9;SWT Look and Feel Customize FlatScrollBar Color and More;codeaffine.com -5;1422416539;5;Just getting into java programming;self.java -4;1422405187;4;javafx shape intersect image;self.java -13;1422400710;14;First official JSF 2 3 contribution from zeef com injection of generic application map;jdevelopment.nl -3;1422389702;4;Use Maven Not Gradle;rule1.quora.com -8;1422387157;10;Honest question what do you consider Java s biggest strength;self.java -3;1422381724;10;Drop in servlet plugin for user auth and user management;stormpath.com -3;1422377187;11;google places api java A Google Places API binding for Java;github.com -7;1422374097;17;A UML to Java generator that auto creates getters and setters a constructor and a toString method;utamavs.me -0;1422371488;6;LWJGL Neural Network Based EVOLVING TANKS;youtube.com -0;1422361789;8;How I use the Vertabelo API with Gradle;vertabelo.com -3;1422361110;5;Easy Java Instrumentation with Prometheus;boxever.com -2;1422358527;6;Timeout support using ExecutorService and Futures;deadcoderising.com -3;1422356260;8;Logging to Redis using Spring Boot and Logback;blog.florian-hopf.de -0;1422355984;13;Is this remark about java util StringTokenizer and java io StreamTokenizer still true;self.java -52;1422351450;10;Grrrr Eclipse is still faster than IntelliJ gt Run program;self.java -21;1422350081;12;I m an experienced developer new to java what should I know;self.java -5;1422343013;13;ET a small library for exception conversion helps getting rid of checked exceptions;github.com -0;1422333574;7;What is this Eclipse icons for ants;imgur.com -0;1422323650;15;Why isn t there a package manager that s as good as NPM for Java;self.java -0;1422323642;7;Come watch me stream Spring and Hibernate;twitch.tv -26;1422315637;8;What motivated you to become a better programmer;self.java -21;1422307574;11;JavaEE learning resources for beginners Java EE Enterprise Edition Tutorial Learning;self.java -4;1422298448;6;Debugging Java 8 Lambdas with Chronon;chrononsystems.com -1;1422281722;9;Could anyone recommend some good project based java books;self.java -1;1422280682;13;Java Weekly 5 15 CDI in Java SE DeltaSpike James Gosling and more;thoughts-on-java.org -0;1422280090;9;The easiest ERD ORM integration ever Vertabelo and jOOQ;vertabelo.com -23;1422278433;2;OCaml Java;ocamljava.org -0;1422272942;9;Hibernate locking patterns How does Optimistic Lock Mode work;vladmihalcea.com -9;1422271057;9;What project management issue tracking software do you use;self.java -0;1422270213;9;Object Oriented Test Driven Design in C and Java;insidethecpu.com -1;1422265986;13;Firebird JDBC driver Jaybird 2 2 7 is released with a few fixes;firebirdsql.org -5;1422240165;6;IDEA users Have you used WebStorm;self.java -0;1422228780;7;Java Security Exception for Locally Run Applet;self.java -23;1422184497;21;Zero allocation Hashing 0 2 receives MurmurHash3 3 9 GB s on i5 4200M Now looking for volunteers to implement FarmHash;github.com -14;1422153170;7;I want to make something in Java;self.java -0;1422120401;7;Can someone help me with a program;self.java -7;1422118835;10;Search In A Box With Docker Elastic Search and Selenium;alexecollins.com -0;1422118741;4;Capture Behaviors in Closures;medium.com -46;1422114093;4;Announcing Gradle Tutorial Series;rominirani.com -0;1422110816;4;ExecuteQuery v4 3 0;executequery.org -0;1422104801;5;Tapestry 5 4 beta 26;tapestry.apache.org -0;1422104741;5;Jetty 9 2 7 v20150116;dev.eclipse.org -0;1422104548;5;Javassist 3 19 0 GA;github.com -1;1422104493;6;Apache Tomcat 8 0 17 available;mail-archives.apache.org -17;1422103084;10;The Resource Server Angular JS and Spring Security Part III;spring.io -15;1422084891;10;There is any good quality image manipulation library in Java;self.java -16;1422061178;3;Best Java Conferences;self.java -5;1422029711;10;A recipe for a data centric rich internet application Blog;vaadin.com -0;1422023234;8;help with a simple java program stack unstack;self.java -14;1422012208;11;How to Translate SQL GROUP BY and Aggregations to Java 8;blog.jooq.org -14;1422006439;9;youtube Java and the Wave Glider with James Gosling;youtube.com -0;1422005467;16;Need help looking for ebook Starting Out with Java Early Objects 5th Edition isbn 978 0133776744;self.java -0;1422002737;14;Thread Magic Tricks 5 Things You Never Knew You Can Do with Java Threads;blog.takipi.com -0;1421975227;5;Eclipse HELP lost my workspace;self.java -0;1421973886;12;For all you people with insomnia i made an App for you;self.java -3;1421973711;8;Converting an Image to Gray Scale in Java;codesquire.com -4;1421972225;24;Here is an image of my javadoc setup for LWJGL Can you tell me why this doesn t work eclipse says it s valid;i.imgur.com -6;1421967728;4;PrimeFaces responsive data table;primefaces.org -16;1421956667;14;Looking for an article about how coding to make testing easier improves code design;self.java -11;1421953482;10;Real time performance graphs for java web applications Open Source;stagemonitor.org -7;1421953048;6;Let s bring Swift to JVM;self.java -1;1421951446;5;Help with installing Eclipse luna;self.java -9;1421946223;5;Partial Functions in Java 8;self.java -6;1421944494;8;Java testing using FindBugs and PMD in NetBeans;blog.idrsolutions.com -3;1421942063;9;NoSQL with Hibernate OGM 101 Persisting your first entities;in.relation.to -88;1421938138;10;5 Advanced Java Debugging Techniques Every Developer Should Know About;infoq.com -9;1421935664;12;The most popular upcoming Java EE 8 technologies according to ZEEF users;arjan-tijms.omnifaces.org -2;1421935346;5;Development Horror Story Release Nightmare;radcortez.com -0;1421930699;5;Polymorphism in any IT system;self.java -23;1421928286;5;If Then Throw Else WTF;yegor256.com -0;1421917696;4;Lombok and JSTL issue;self.java -0;1421914876;5;Help with Binary Converter Program;self.java -0;1421907934;13;My Opinion Banning break and continue from your loops will improve code quality;sleepeasysoftware.com -6;1421898755;5;Help with try catch statements;self.java -19;1421880955;6;Lightweight Javac Warning Annotation library 3kb;github.com -12;1421872748;8;Web App Architecture the Spring MVC AngularJs stack;blog.jhades.org -4;1421867986;7;Top testing tips for discriminating java developers;zeroturnaround.com -12;1421855266;9;A New Try with resources Improvement in JDK 9;blog.mitemitreski.com -3;1421853065;12;Is Spring Framework a good choice for an Internet of Things backend;self.java -41;1421844692;9;More concise try with resources statements in JDK 9;blogs.oracle.com -8;1421842865;5;New IntelliJ Tricks Part 2;trishagee.github.io -31;1421840334;5;Safe casting idiom Java 8;self.java -3;1421835245;7;How to make 2d games in java;self.java -14;1421832757;15;Yeoman generator for java library hosted on github with quality checks and maven central publishing;github.com -2;1421829341;12;20 Reasons Why You Should Move to JavaFX and the NetBeans Platform;informit.com -15;1421828801;14;Ben Evans Java Champion reviews Java in 2014 and looks forward to Java 9;jclarity.com -5;1421802645;3;Java Developer Roadmap;self.java -15;1421792859;7;Oracle Critical Patch Update Advisory January 2015;oracle.com -11;1421789016;8;Examples of GoF Design Patterns in Java APIs;stackoverflow.com -0;1421784724;9;Graduate Java Developer looking for advices on his portfolio;self.java -0;1421782828;5;MDB JMS and vice versa;dzone.com -12;1421782710;9;Heads Up on Java EE DevNexus 2015 The Aquarium;blogs.oracle.com -34;1421782279;13;Fork Join Framework vs Parallel Streams vs ExecutorService The Ultimate Fork Join Benchmark;blog.takipi.com -5;1421780194;13;Suis je Groovy No What Pivotal s Decision Means for Open Source Software;java.dzone.com -0;1421779929;10;The Resource Server Angular JS and Spring Security Part III;spring.io -12;1421779559;11;Microservice Registration and Discovery with Spring Cloud and Netflix s Eureka;spring.io -3;1421754990;7;Apache FOP Integration with Eclipse and OSGi;codeaffine.com -8;1421753233;9;Bug in JavaFX SceneBuilder how can I report it;self.java -40;1421753071;20;As I haven t found any examples of Java music visualisers I m sharing the solution I came up with;github.com -0;1421728504;5;Where can I execute EJBs;dzone.com -16;1421728476;8;Micro Benchmarking with JMH Measure Don t Guess;voxxed.com -0;1421707644;19;What is involved in a graduate scheme when joining an IT company as a graduate Java developer or equivelant;self.java -22;1421699117;19;Pivotal drops sponsorship of Grails but Grails will continue active development according to Graeme Rocher head of Grails project;grails.io -15;1421698512;10;Java 8 LongAdders The Fastest Way To Add Numbers Concurrently;blog.takipi.com -10;1421695701;7;A simple search app for maven archetypes;wasis.nu -8;1421695471;10;How to execute bat files from an executable jar file;self.java -67;1421688059;15;Groovy 2 4 And Grails 3 0 To Be Last Major Releases Under Pivotal Sponsorship;blog.pivotal.io -7;1421687917;18;Pivotal is no longer sponsoring Grails I have a Grails project in the works What should I do;self.java -4;1421677972;5;Question on Jasper Report JRXML;self.java -12;1421675734;12;Best tools for creating a quick prototype demo gui for rest services;self.java -3;1421675504;5;Simple linear regression using JFreeChart;technobium.com -13;1421673803;6;CDI amp JDK8 based Asynchronous alternative;jdevelopment.nl -0;1421671614;8;Using Java 8 to Prevent Excessively Wide Logs;blog.jooq.org -4;1421641826;7;Is 3D game programming good for beginners;self.java -17;1421613921;11;How much did do you earn as a graduate Java Developer;self.java -6;1421610534;8;Looking for code coverage tooling with Maven integration;self.java -10;1421610356;7;Java 8 lambda performance is not great;self.java -20;1421610197;7;TeaVM Compiles Java byte code to Javascript;teavm.org -15;1421608773;7;How to write your own annotation processor;hannesdorfmann.com -56;1421597444;9;JitPack Easy to use package repository for Java projects;jitpack.io -18;1421593067;5;Working with doc docx files;self.java -12;1421590083;9;Getting Started with Gradle Creating a Multi Project Build;petrikainulainen.net -11;1421589816;10;2015 Proof Of Concept JSF 2 0 Distributed Multitiered Application;java.dzone.com -11;1421588918;6;Whiteboards do you guys use them;self.java -18;1421565181;5;Audit4j 2 2 0 released;audit4j.org -4;1421512037;8;Follow JSF 2 3 development via GitHub mirror;jdevelopment.nl -22;1421510814;5;Apache Tika 1 7 Released;mail-archives.apache.org -3;1421506159;10;Simple Java EE JSF Login Page with JBoss PicketLink Security;ocpsoft.org -10;1421505501;8;JSF 2 3 Using a CDI managed Converter;weblogs.java.net -1;1421504898;14;HELP Program only detects 32bit java but requires 64bit java to increase ram usage;self.java -2;1421476177;7;Jgles2 a slim wrapper around GLES2 0;self.java -0;1421465023;2;Eclipse Issue;self.java -13;1421463460;9;Example java applications that don t use an ORM;self.java -3;1421432301;26;SimpleFlatMapper v1 3 0 very fast micro orm that can be plugged in jooq sql2o spring jdbc and fast and easy to use csv parser mapper;github.com -8;1421428466;6;Favorite Java build and deploy toolchain;self.java -2;1421420874;10;Top Java Blogs redesigned with blog icons and top stories;topjavablogs.com -44;1421416882;7;Java 9 Doug Lea reactive programming proposal;cs.oswego.edu -7;1421416282;5;Printing of a big jTable;self.java -0;1421399936;8;How to shut mouth of a C bigot;self.java -32;1421395380;8;Everything You Need To Know About Default Methods;blog.codefx.org -17;1421386561;7;New to Intellij IDEA IDE tips tricks;self.java -3;1421386044;3;Java serial comm;self.java -0;1421363705;5;Java BMI Calculator Using Eclipse;self.java -15;1421357849;9;vJUG Java and the Wave Glider with James Gosling;voxxed.com -0;1421357447;15;How can I run methods outside of main in Eclipse with ease like in BlueJ;self.java -2;1421353984;7;Deep Dive All about Exceptions Freenode java;javachannel.org -6;1421351815;8;Micro Benchmarking with JMH Measure don t guess;antoniogoncalves.org -6;1421342387;7;RichFaces 4 5 2 Final Release Announcement;developer.jboss.org -11;1421341541;6;Class Reloading in Java A Tutorial;toptal.com -10;1421341391;10;Mysterious 4 4 1 20150109 Eclipse Luna update is SR1a;jdevelopment.nl -14;1421335863;12;HighFaces new open source JSF 2 chart component library based on HighCharts;highfaces.org -6;1421333917;8;Surprisingly useful methods that do nothing at all;benjiweber.co.uk -2;1421332080;17;Question would it be better to change my KryoNet based communication between programs for a RabbitMQ RPC;self.java -8;1421327360;6;Thoughts on Object Oriented Class Design;chase-seibert.github.io -4;1421326522;5;Lightweight Java Database APIs Frameworks;self.java -13;1421325157;20;What s the best way to throw exceptions The old school don t use go to s or returns debate;self.java -6;1421321695;5;Spring Clound and centralized configuration;spring.io -3;1421317666;7;How do you evaluate a Java Game;self.java -0;1421316597;4;The Rubber Ducky Debugging;youtube.com -0;1421306368;10;Stream js The Java 8 Streams API ported to JavaScript;github.com -8;1421288621;10;What is working for a company that uses Java like;self.java -8;1421286538;6;Where do you go for hosting;self.java -5;1421278504;7;12 Factor App Style Configuration with Spring;spring.io -0;1421278414;4;FourorLess my first App;gcclinux.co.uk -61;1421272866;9;What s the neatest code you ve ever seen;self.java -1;1421267119;10;static mustache Statically checked compiled logicless templating engine for java;github.com -1;1421264079;7;Stalwarts of Tech Interview with John Davies;jclarity.com -1;1421259535;5;A question about lambda expressions;self.java -18;1421255662;6;Advanced Java Application Deployment Using Docker;blog.tutum.co -1;1421252592;19;Is there a way I can use the libraries imported by another java file w o importing it again;self.java -4;1421246754;7;JSF amp PrimeFaces amp Spring video tutorial;javavids.com -11;1421245017;9;Is Java pass by value or pass by reference;javaguru.co -22;1421242240;7;Good news Java developers Everyone wants you;infoworld.com -28;1421241785;10;Four techniques to improve the performance of multi threaded applications;plumbr.eu -7;1421214037;14;Self Contained Systems and ROCA A complete example using Spring Boot Thymeleaf and Bootstrap;blog.codecentric.de -25;1421199938;6;JUnit tests that read like documentation;mikedeluna.com -0;1421197971;6;Lerning Java Online Where to start;self.java -0;1421187174;10;Idea gathering for Java related course project topic 100 150hours;self.java -0;1421186530;8;Stop webapp on tomcat from CMD line issues;self.java -7;1421185698;19;Switching from the love of my life Intellij Idea to eclipse A quick question that bugs me like crazy;self.java -1;1421174827;8;Java 8 Streams API as Friendly ForkJoinPool Facade;squirrel.pl -4;1421172114;5;Valhalla Caution bleeding edge ahead;mail.openjdk.java.net -0;1421169042;12;Mental Manna Traverse a BST in order using iteration instead of recursion;geekviewpoint.com -8;1421167677;5;Java8 Sorting BEWARE Performance Pitfall;rationaljava.com -0;1421164859;10;What s Stopping Me Using Java8 Lambdas Try Debugging Them;rationaljava.com -2;1421164615;16;Looking for conference topics what is new and exciting in the world of Java in 2015;self.java -26;1421162706;22;What topics would you include in an hour long lecture on Java for students with no prior experience with object oriented programming;self.java -14;1421162285;9;Running tests on both JavaFX and Swing using Junit;blog.idrsolutions.com -12;1421160754;7;Easy to understand Java 8 predicate example;howtodoinjava.com -10;1421157190;5;System in stdin through Tomcat;self.java -13;1421143228;12;Neanderthal a fast native Clojure matrix library 2x faster than jBLAS benchmarks;neanderthal.uncomplicate.org -4;1421142581;6;PrimeFaces Elite 5 1 8 Released;blog.primefaces.org -18;1421139302;7;DoorNFX Touchscreen JavaFX 8 on Raspberry Pi;voxxed.com -5;1421128699;5;Spring Security Roles and Privileges;baeldung.com -11;1421116021;8;How to tell if a file is accessed;self.java -0;1421113499;7;Why Java could not compete with PHP;github.com -1;1421112805;17;15 Want to get a jump on Java before taking my school s AP Computer Science class;self.java -31;1421097555;5;What ORM do you use;self.java -3;1421092776;14;How does Facebook integration work with web applications when retrieving data from their database;self.java -0;1421089335;9;How often do you need to configure a bean;self.java -12;1421088377;10;Flavors of Concurrency in Java Threads Executors ForkJoin and Actors;zeroturnaround.com -12;1421084611;7;Getting Started With IntelliJ IDEA Live Templates;voxxed.com -1;1421083929;8;AYLIEN Java client Library for Text Analysis SDK;github.com -75;1421073543;5;Java 8 No more loops;deadcoderising.com -7;1421071804;5;Flyway 2014 Year in Review;flywaydb.org -6;1421063462;9;How do you handle Configuration for your web apps;self.java -3;1421048988;8;A beginner s guide to Java Persistence locking;vladmihalcea.com -62;1421044559;18;Code Bubbles is an IDE that allows you to lay out and edit your code visually by function;cs.brown.edu -2;1421021230;5;College Student New to Java;self.java -25;1421003322;5;New Blog for Java 8;java8examples.com -41;1421002370;10;Brian Goetz Lambdas in Java A peek under the hood;youtube.com -33;1420956291;9;Any projects open source projects need a java developer;self.java -0;1420953231;5;Python vs Java Numerical Computing;self.java -0;1420908720;8;Get Keywords By Using Regular Expression in Java;programcreek.com -5;1420905378;13;Eclipse not being able to guess the types of elements in a collection;self.java -1;1420903673;5;Good introductory texts for Java;self.java -4;1420890437;7;Business Rules Management in Java with Drools;ayobamiadewole.com -27;1420877028;5;First rule of performance optimisation;rationaljava.com -0;1420833824;11;Why Now is the Perfect Time to Upgrade to Java 8;blog.appdynamics.com -8;1420831837;11;Why is there no official mature library for modern Rest Authentication;self.java -18;1420830582;7;How to get Groovy with Java 8;javaguru.co -5;1420827857;8;Arquillian Container WebLogic 1 0 0 Alpha3 Released;arquillian.org -6;1420827310;8;Any good JSF libraries for JCR Modeshape content;self.java -6;1420819946;9;Make your Primefaces app load faster with lazy loading;blogs.realdolmen.com -11;1420817610;8;A Look Back at 2014 8 Great Things;blogs.oracle.com -9;1420796777;6;Initial milestone of JSF 2 3;blogs.oracle.com -0;1420792276;9;Calendar to Date issue This could cause big problems;stackoverflow.com -78;1420791085;5;Java quirks and interview gotchas;dandreamsofcoding.com -8;1420790412;12;Open source APM tool for large scale distributed systems written in Java;github.com -8;1420782826;6;Spring Session 1 0 0 RELEASE;spring.io -5;1420756636;5;Java 8 Streams and JPA;blog.informatech.cr -0;1420754377;9;Call stored proc using Spring JDBC with input output;self.java -1;1420752275;10;Curious What did you read to help you learn Java;self.java -2;1420723345;6;I need advice for solo Java;self.java -65;1420722483;8;Java 8 Default Methods Explained in 5 minutes;blog.idrsolutions.com -4;1420721286;3;Fastest Matrix Library;self.java -9;1420716922;4;Lambda VS clean code;self.java -0;1420716417;9;My Journey away from Play Framework and back again;medium.com -9;1420709806;7;New advanced diagram component introduced in PrimeFaces;blog.primefaces.org -6;1420700990;12;NetBeans Software for Explosive Ordnance Disposal amp Clearance Divers Geertjan s Blog;blogs.oracle.com -7;1420698985;7;New Javadoc Tags apiNote implSpec and implNote;blog.codefx.org -13;1420697204;8;gngr a browser under development in pure Java;gngr.info -8;1420695836;16;Interview with Charles Nutter co lead of the JRuby project on the future of the JVM;ugtastic.com -9;1420678842;9;How to make some sort of an executable file;self.java -9;1420678377;11;Need Advice What would the best way to modularize JSF applications;self.java -0;1420654896;18;Get started in no time with JAX RS Jersey with Spring Boot Spring Data Spring Security Spring Test;blog.codeleak.pl -16;1420647199;6;Using Comsat with Standalone Servlet Containers;blog.paralleluniverse.co -30;1420645742;9;Inside the Hotspot VM Clocks Timers and Scheduling Events;blogs.oracle.com -30;1420645135;14;Thread Magic Tricks 5 Things You Never Knew You Can Do with Java Threads;blog.takipi.com -9;1420640559;5;Need recommendations on Cassandra books;self.java -17;1420636334;10;Tutorial IntelliJ IDEA Plugin Development Getting Started and the StartupActivity;cqse.eu -2;1420632349;12;using uniVocity 1 0 7 to export data and generate test databases;univocity.com -1;1420620338;16;Beginner with the Java tech What softwares do i need on my computer to learn efficiently;self.java -0;1420601906;10;Scraping Vine Videos from the Twitter Streaming APIs in Java;dannydelott.com -23;1420592628;10;I want to get ahead of my Computer Science class;self.java -12;1420587601;7;Java EE authorization JACC revisited part II;arjan-tijms.omnifaces.org -0;1420585358;9;Caching and Messaging Improvements in Spring Framework 4 1;infoq.com -0;1420583891;7;Package JSF Flow in a JAR file;byteslounge.com -2;1420582276;8;IntelliJ idea Any video tutorial to run jUnit;self.java -0;1420576723;5;Java code noob help plz;self.java -6;1420573479;12;Loading view templates from a database with Thymeleaf composing multiple template resolvers;blog.kaczmarzyk.net -17;1420572777;9;Simple Java to Java remoting library using HTTP S;self.java -5;1420567662;9;From JPA to Hibernate legacy and enhanced identifier generators;vladmihalcea.com -3;1420566949;9;Building a HATEOAS API with JAX RS and Spring;blog.codeleak.pl -8;1420562089;20;Any Spring Roo users here How does the new 1 3 version compare with Spring Boot for a new project;self.java -2;1420554169;9;FreeBuilder automatic builder pattern implementation for your value types;freebuilder.inferred.org -8;1420549316;14;5 reasons why JavaFX is better than Swing for developing a Java PDF viewer;dzone.com -9;1420534526;9;NetBeans Top 5 Highlights of 2014 Geertjan s Blog;blogs.oracle.com -0;1420522888;6;Using Netflix Hystrix annotations with Spring;java-allandsundry.com -2;1420521565;8;How to get NBA scores for my application;self.java -0;1420511386;26;Seeking opinions Does the fact that Oracle s Java Mission Control was built on the Eclipse platform mean anything for the future of the NetBeans platform;self.java -1;1420506426;9;Java Web Start In or Out of the Browser;blogs.oracle.com -10;1420505177;16;la4j 0 5 0 with composable iterators is released up to 20x speedup on sparse data;github.com -24;1420504069;11;A Persistent KeyValue Server in 40 Lines and a Sad Fact;voxxed.com -3;1420487192;16;Simple Flat Mapper v 1 2 0 fast and easy to use mapper from flat record;github.com -3;1420456719;4;Finally Retry for Spring;java-allandsundry.com -5;1420456162;10;Login For a Spring Web App Error Handling and Localization;baeldung.com -33;1420453319;12;Difference between WeakReference vs SoftReference vs PhantomReference vs Strong reference in Java;javacodegeeks.com -0;1420445047;12;Spring from the Trenches Resetting Auto Increment Columns Before Each Test Method;petrikainulainen.net -0;1420442573;13;An alternative API for filtering data with Spring MVC amp Spring Data JPA;blog.kaczmarzyk.net -29;1420441832;15;Java 9 and Beyond Oracle s Brian Goetz and John Rose Glimpse into the Future;infoq.com -2;1420400192;9;Anyone have any J2EE EJB primer books to recommend;self.java -0;1420390837;4;Learn Java with Examples;adarshspatel.in -7;1420382516;4;Twitter bot with Java;self.java -49;1420373917;3;Java without IDE;self.java -5;1420370593;14;Spring Framework 4 1 4 amp 4 0 9 amp 3 2 13 released;spring.io -8;1420328929;5;Java Past Present and Future;infoq.com -4;1420309062;6;Netty 4 0 25 Final released;netty.io -23;1420304550;4;Valhalla The Any problems;mail.openjdk.java.net -5;1420303716;6;Apache Commons Pool 2 3 released;mail-archives.apache.org -53;1420303317;10;My first path tracer that I wrote purely in Java;github.com -10;1420279466;8;Todd Montgomery Discusses Java 8 Lambdas and Aeron;infoq.com -9;1420263186;2;Invokedynamic 101;javaworld.com -2;1420231387;10;A simple use case comparison of JVM libraries for MongoDB;insaneprogramming.be -38;1420215381;6;Mockito Mock Spy Captor and InjectMocks;baeldung.com -15;1420185926;5;Instances of Non Capturing Lambdas;blog.codefx.org -22;1420183912;10;A beginner s guide to JPA Hibernate entity state transitions;vladmihalcea.com -5;1420150616;5;Java 2D game Space Shooter;github.com -0;1420149757;6;how to draw shapes using java;cakejava.com -0;1420144699;8;NetBeans is awfully sluggish laggy on retina MBP;self.java -5;1420134938;7;Is comparing String different than comparing objects;javaguru.co -0;1420126528;14;Anybody wants to create a Java game libgdx for android and ios with me;self.java -12;1420124536;9;Develop powerful Big Data Applications easily with Spring XD;youtube.com -2;1420124223;6;A Spring criticism drawbacks amp pitfalls;web4j.com -0;1420122300;4;Looking to learn Java;self.java -6;1420120212;15;The Firebird JDBC team is happy to announce the release of Jaybird 2 2 6;firebirdsql.org -6;1420114880;2;Android development;self.java -73;1420113268;11;Memory consumption of popular Java data types Java Performance Tuning Guide;java-performance.info -5;1420108752;3;Concepts of Serialization;blog.codefx.org -8;1420102887;4;A handful Akka techniques;manuel.bernhardt.io -19;1420065755;10;What is The Best Way To Monitor A Java Process;self.java -1;1420043485;11;For Spring development is the Spring Tool Suite better than Netbeans;self.java -3;1420039756;13;Article on using FindBugs to squash bugs in Java with NetBeans and Ant;dzone.com -8;1420024804;12;A tutorial for persisting XML data via JAXB and JPA with HyperJAXB3;confluence.highsource.org -31;1420019679;6;Java 8 The Design of Optional;blog.codefx.org -2;1420004818;7;2014 A year review for Spring projects;spring.io -23;1419974615;6;Java 8 WTF Ambiguous Method Lookup;jvilk.com -2;1419973391;9;JAX RS Rest Service Example with Jersey in Java;memorynotfound.com -1;1419973333;14;Tutorial 19 JSTL Afficher le contenu d un fichier XML dans une page JSP;cakejava.com -8;1419972785;10;Calculate Relative Time also known as Time Ago In Java;memorynotfound.com -16;1419968120;21;Fast and stateless API authentication with Spring Security an article with a demo app Java Config embedded Jetty 9 EHCache etc;resilientdatasystems.co.uk -7;1419947636;6;Sizzle java singleton dependency management library;self.java -14;1419941309;2;Hibernate Pagination;baeldung.com -32;1419931276;9;New Java 8 Date and JPA 2 1 Integration;adam-bien.com -0;1419930214;6;Java vs PHP for website development;self.java -9;1419895241;8;Under The Hood With Java 10 Enhanced Generics;infoq.com -0;1419886935;3;Java SE Cakejava;cakejava.com -0;1419883798;4;Java developers on Logging;self.java -5;1419877911;8;Apache Maven Surefire Plugin 2 18 1 Released;maven.40175.n5.nabble.com -15;1419869974;6;Apache Commons Math 3 4 Released;mail-archives.apache.org -0;1419869263;14;What would be the effects of a significant breakthrough in quantum computing for programmers;self.java -0;1419857927;11;Leaky Abstractions or How to Bind Oracle DATE Correctly with Hibernate;blog.jooq.org -74;1419856122;14;Java based open source tool Cryptomator encrypts your cloud files Join me on Github;cryptomator.org -2;1419817218;5;Spring with intellij community edition;self.java -19;1419811403;7;Exact String Matching Algorithms Animation in Java;www-igm.univ-mlv.fr -13;1419804109;7;Java EE authorization JACC revisited part I;arjan-tijms.omnifaces.org -14;1419780000;9;Manipulating JARs WARs and EARs on the command line;javaworld.com -0;1419770177;5;Spring Batch Hello World Tutorial;javahash.com -1;1419767598;11;I d like to learn java No prior experience with programming;self.java -5;1419764821;7;Space verus Time in Java s ObjectOutputStream;maultech.com -5;1419762582;4;Asynchronous timeouts with CompletableFuture;nurkiewicz.com -69;1419758773;12;Marco Behler s 2014 Ultimate Java Developer Library Tool amp People List;marcobehler.com -4;1419752504;9;JPA 2 1 How to implement a Type Converter;thoughts-on-java.org -18;1419718182;18;Can someone explain to me container less deployment and why it s better than using tomcat with spring;self.java -11;1419716950;18;Do you think there s any reason to pick up Scala in 2015 is Java 8 widespread enough;self.java -2;1419708131;6;Should I upgrade to Java 8;self.java -41;1419692550;8;Three Reasons Why I Like the Builder Pattern;petrikainulainen.net -17;1419691689;2;Java Timer;baeldung.com -32;1419674403;6;Apache Maven 3 2 5 Release;maven.40175.n5.nabble.com -11;1419674329;5;Apache POI 3 11 released;mail-archives.apache.org -7;1419617927;6;Java Question Making your database portable;self.java -35;1419606056;6;How to build a Brainfuck interpreter;unnikked.ga -13;1419603250;4;Java 8 flatMap example;adam-bien.com -1;1419588566;6;Java book for an experienced programmer;self.java -0;1419578206;4;Best Java Swing books;self.java -6;1419574052;11;Java question Can you make an iOS game app with Java;self.java -0;1419548318;4;Oracle Certification JSE Programmer;self.java -4;1419543024;8;Interview with Erin Schnabel on the Liberty Profile;infoq.com -31;1419534330;16;Performance of various general compression algorithms some of them are unbelievably fast Java Performance Tuning Guide;java-performance.info -62;1419533467;11;Random value has a 25 75 distribution instead of 50 50;stackoverflow.com -28;1419524368;6;Unsigned int considered harmful for Java;nayuki.io -0;1419497208;6;Books for Java beginners on Nook;self.java -0;1419480821;5;Declaring Objects in java question;self.java -9;1419442350;7;14 Tips for Writing Spring MVC Controller;codejava.net -35;1419438244;6;Merry Christmas to all who Celebrate;self.java -0;1419432879;6;Install Java and Set class path;youtube.com -14;1419431619;8;My 3 Christmas wishes for Java EE Security;self.java -5;1419423648;17;why there is no JSR specification for Aspect oriented programming like jpa servlet if there is no;self.java -16;1419376893;14;Spring XD 1 1M2 introduces Kafka based message bus deeper Reactor and RabbitMQ support;spring.io -3;1419359805;19;Is there anyway i can code an app widget that can help me automate the work that i do;self.java -4;1419341647;12;Developing web sites in Java frameworks JFS JSP MVC good or bad;self.java -10;1419333980;11;What s up with Java EE 8 A Whistle Stop Tour;voxxed.com -15;1419333275;18;PrimeFaces Elite 5 1 7 is released featuring the new Steps Component new PhotoCam improved accessibility and more;blog.primefaces.org -0;1419325692;8;JDK JRE Class Loader Bytecode Bytecode Interpretor JVM;youtube.com -17;1419314844;11;A beginner s guide to transaction isolation levels in enterprise Java;vladmihalcea.com -17;1419312452;8;Audit4j An open source auditing framework for Java;audit4j.org -0;1419301317;7;What can I actually build with Java;self.java -1;1419280080;4;Teaching Kids Java Programming;infoq.com -10;1419271138;7;Easy way to visualize your REST APIs;java.dzone.com -27;1419257069;12;Valhalla Bleah Layers are too complicated was Updated State of the Specialization;mail.openjdk.java.net -18;1419254370;7;Bridging Undertow s authentication events to CDI;jdevelopment.nl -27;1419232537;12;Are You Binding Your Oracle DATEs Correctly I Bet You Aren t;blog.jooq.org -14;1419231659;6;OpenJDK 8 builds for MS Windows;self.java -3;1419186302;5;Commons Codec 1 10 HMAC;commons.apache.org -45;1419146993;11;Looking into the Java 9 Money and Currency API JSR 354;mscharhag.com -10;1419139490;7;Alternative to locks and actors slides pdf;github.com -2;1419130372;5;Hibernate DDL missing a table;self.java -13;1419111586;7;How to modify JSF library load order;beyondjava.net -6;1419109675;10;Fujaba From UML to Java and Back Again CASE tool;fujaba.de -0;1419104129;4;where do I start;self.java -15;1419101486;8;Image Editor App Swing vs Awt vs JavaFX;self.java -3;1419095887;12;Remember that satirically over engineered adding library from a few years back;self.java -5;1419086592;3;AntLR 4 4;github.com -11;1419076898;11;Why standards are hot or why I still like Java EE;adam-bien.com -11;1419065939;6;Valhalla Updated State of the Specialization;mail.openjdk.java.net -193;1419026726;13;The most useful Eclipse shortcuts in gif form and a printable cheat sheet;elsealabs.com -12;1419025177;4;JDBI JDBC or Hibernate;self.java -1;1419020230;5;Mojarra 2 2 9 released;java.net -8;1419014027;13;Spring for Apache Hadoop 2 1 0M3 improves YARN and Spring Boot support;spring.io -6;1419010351;11;Big microservice infrastructure strides with Spring Cloud 1 0 0 RC1;spring.io -8;1419003426;3;Online Java Degree;self.java -12;1418991418;7;Camel Selective Consumer using JMS Selector Example;pretechsol.com -1;1418968691;12;Object Streams Serialization and Deserialization using Serializable Interface to save objects state;codingeek.com -0;1418961112;7;Newbie in need of help with objects;self.java -54;1418951480;8;Why are public fields so demonized in Java;self.java -0;1418946571;5;Restlet framework 2 3 0;restlet.com -1;1418946522;5;Jetty 9 2 6 v20141205;dev.eclipse.org -1;1418943332;5;Junit Timeout 4 12 release;github.com -4;1418941756;10;Looking for a Java Project to Add to the Resume;self.java -2;1418925804;13;A Glance into the Developer s World of Data Graphs RDBMS and NoSQL;zeroturnaround.com -20;1418923421;5;On Servlets and Async Servlets;blog.paralleluniverse.co -5;1418900810;3;Java Advent Calendar;javaadvent.com -16;1418897372;8;First Hibernate OGM release aka 4 1 Final;in.relation.to -8;1418869415;7;Numeric behavior change in 1 8 0_20;self.java -5;1418850990;7;Does anybody have any experience with Lanterna;self.java -4;1418849843;14;Spring IO Platform 1 1 0 adds new Spring Integration tech to platform distro;spring.io -0;1418844379;8;Deploying a Java Application with Docker and Tutum;blog.tutum.co -10;1418840889;8;Dynamic Code Evolution VM for Java 7 8;github.com -0;1418837143;9;Can I get help debugging my breakout game code;self.java -4;1418821689;12;Eric D Schabell Jump Start Your Rules Events Planning and BPM Today;schabell.org -5;1418821153;9;How jOOQ Leverages Generic Type Safety in its DSL;javaadvent.com -18;1418820865;9;All about Java EE 8 End of year update;javaee8.zeef.com -1;1418790142;2;ELI5 Encapsulation;self.java -44;1418781082;8;Can we add r DoMyHomework to the sidebar;self.java -3;1418769703;7;Isomorphic Java Script Apps using ReactJS Nashorn;augustl.com -0;1418760514;5;Best way to learn JAVA;self.java -1;1418753221;4;Understanding containment of GLabel;self.java -1;1418737631;6;Java Socket Stream Connected to Javascript;self.java -9;1418736584;13;Are there Java build tools where the builds are specified in Java itself;self.java -0;1418727754;7;License4J Licensing API and Tools new version;license4j.com -10;1418713099;9;Too Bad Java 8 Doesn t Have Iterable stream;blog.jooq.org -108;1418713049;7;10 Books Every Java Developer Should Read;petrikainulainen.net -7;1418679977;10;Java 8 BYO Super Efficient Maps Quadruple Your Map Performance;self.java -16;1418651159;8;Java Puzzle are you up for a challenge;plumbr.eu -30;1418642474;8;My Sunday hacking project Fast Private Fields Extractor;github.com -8;1418629600;9;Apache Tapestry 5 3 8 compatible with Java 8;tapestry.apache.org -5;1418628826;6;EAGER fetching is a code smell;vladmihalcea.com -0;1418627548;12;Java Project 1 URL opens many links in new tabs seeking help;self.java -4;1418615184;11;You can now suppress the Ask Toolbar prompt when updating Java;itwire.com -1;1418613506;9;Deploying static content via JBoss Application Server AS 7;javawithravi.com -0;1418600019;6;HELP need link to JDK JavaDoc;self.java -0;1418594692;3;Most missed features;self.java -0;1418591027;6;Need advice on making a game;self.java -61;1418589659;25;I ve just finished up a class with a professor that maintains his own parallel computing library in Java You guys should check it out;self.java -2;1418563930;6;VIBeS Variability Intensive system Behavioural teSting;projects.info.unamur.be -1;1418562982;11;spark indexedrdd An efficient updatable key value store for Apache Spark;github.com -1;1418562819;6;Apache PDFBox 1 8 8 released;mail-archives.apache.org -0;1418562538;5;Hipster Library for Heuristic Search;hipster4j.org -42;1418527792;9;Bytecode Viewer 2 2 1 Java Reverse Engineering Suite;github.com -0;1418524552;3;Share Java Projects;learnbasicjava.com -5;1418514319;5;Java Development Reverse Engineering Forum;the.bytecode.club -1;1418506021;7;Micro java framework for web development updates;self.java -19;1418497794;7;Faster Object Arrays in Java InfoQ presentation;infoq.com -6;1418481967;5;How did you learn Java;self.java -8;1418475016;5;State of Flow EclipseMetrics Plugin;stateofflow.com -42;1418470851;8;Nashorn Architecture and Performance Improvements in JDK 8u40;getprismatic.com -18;1418462460;4;Best Java Blogs list;baeldung.com -9;1418454039;5;JMustache Simple templating in Java;github.com -0;1418449823;5;java if statement error help;self.java -8;1418444969;6;Anyone use Undertow in production system;self.java -11;1418440470;12;Core Java Interview Questions Podcast Episode 2 How to fail your interview;corejavainterviewquestions.com -1;1418436899;13;Why doesn t String equals s work sensibly when s is instanceof CharSequence;self.java -9;1418432872;4;Java beginner project ideas;self.java -3;1418430083;7;Options for Building REST APIs in Java;mooreds.com -0;1418416206;13;Effective Java a decent book to either supplement or read after Head First;self.java -27;1418389199;6;Java and services like Docker vagrant;self.java -0;1418383786;11;Building dynamic responsive multi level menus with plain HTML and OmniFaces;self.java -10;1418378722;10;Java Advent Calendar Lightweight Integration with Java EE and Camel;javaadvent.com -7;1418378696;9;Using Lambdas and Streams to find Lambdas and Streams;blogs.oracle.com -2;1418374118;3;JAVA iOS tools;javaworld.com -3;1418357979;14;C guy getting started in Java Simply want to add item to a JList;self.java -1;1418344657;15;How do I allow any kind of data input and test what type it is;self.java -0;1418335585;11;What s the Java Version of Gems Bundler NPM Composer Packagist;self.java -1;1418334469;4;Questions About Server Architecture;self.java -3;1418324007;13;Nginx Clojure v0 3 0 Released Supports Nginx Access Handler amp Header Filter;nginx-clojure.github.io -12;1418322905;9;Spring Security 4 0 0 RC1 improves WebSocket security;spring.io -2;1418310120;5;Free english dictionary eclipse compatible;self.java -10;1418306118;9;Java Advent Calendar Self healing applications are they real;javaadvent.com -0;1418298081;4;Help with Quiz program;self.java -29;1418283853;6;Spring Boot 1 2 0 released;spring.io -1;1418278666;7;Java Beginner Question and Looking for Suggestions;self.java -0;1418269088;3;Beginner seeking help;self.java -19;1418266322;8;What s the lightest servlet container out there;self.java -10;1418265677;10;My Current Personal Project A JSF Component Library Using Foundation;self.java -3;1418262993;6;Any good Java open source CRM;self.java -7;1418249841;5;Why should I use IntelliJ;self.java -1;1418242077;5;Java import and uml dependency;self.java -0;1418236626;5;Ruby better than Java Meh;youtube.com -3;1418234144;10;Flavors of Concurrency in Java Threads Executors ForkJoin and Actors;zeroturnaround.com -2;1418231317;11;Adding WebSocket endpoints on the fly with JRebel and Spring Boot;zeroturnaround.com -0;1418227965;21;What is the point of JSP or JSF or Spring MVC or Struts etc now that we HTML5 and AngularJS etc;self.java -6;1418227507;18;SimpleFlatMapper v1 1 0 fast and easy to use mapper for Jdbc Jooq Csv with lambda stream support;github.com -0;1418222306;6;Idiots Guide to Big O Notation;corejavainterviewquestions.com -0;1418217860;24;I haven t programmed in a year so I m very rusty Any ideas on what I should do as a project to unrustify;self.java -11;1418216927;4;Tiny Types in Java;markphelps.me -2;1418212315;9;What happens internally when the outermost Stream is closed;self.java -3;1418210875;4;Graphical Visualizations in JavaDoc;flowstopper.org -80;1418210252;9;Did you know pure Java 8 can do 3D;self.java -3;1418204332;5;The Evolution of Java Caching;adtmag.com -8;1418198156;7;5 ways to initialize JPA lazy relations;thoughts-on-java.org -1;1418197857;5;Java Annotated Monthly December 2014;blog.jetbrains.com -3;1418190134;9;Can you download Java 1 8 for Snow Leopard;self.java -44;1418187033;8;Over 30 vulnerabilities found in Google App Engine;javaworld.com -2;1418174938;15;ROUGH CUT Interview with Charles Nutter aka the JRuby Guy at GOTO Night Chicago 2015;youtube.com -3;1418165546;12;Looking for an intellij color theme like SublimeText s blackboard color theme;self.java -0;1418162015;6;OOPS Java is same as English;kossip.ameyo.com -3;1418161183;6;Spring Framework 4 1 3 released;spring.io -1;1418161159;6;Latest Jackson integration improvements in Spring;spring.io -1;1418161137;12;SpringOne2GX 2014 Replay Develop powerful Big Data Applications easily with Spring XD;spring.io -17;1418160795;14;Is it just me or is JavaScript a lot harder to learn than Java;self.java -2;1418160327;13;Looking for Java lib for large file transfer push to many local clients;self.java -7;1418158321;9;New Java Version it s not JDK 1 9;infoq.com -0;1418158283;10;One day training on Java 8 Lambda Expressions amp Streams;qconlondon.com -6;1418156482;6;Spark Web Framework 2 1 released;sparkjava.com -1;1418150582;5;Problem with Online Java Applet;self.java -3;1418150385;11;Java 8 vs Scala The Difference in Approaches and Mutual Innovations;kukuruku.co -62;1418141853;10;Don t be clever The double curly braces anti pattern;java.dzone.com -2;1418136519;14;Webinar on Dec 17 Using Docker amp Codenvy to Speed Development Project On Boarding;blog.exoplatform.com -0;1418135873;7;Heavy use of swing in java app;self.java -10;1418134567;5;New Java info site Voxxed;voxxed.com -3;1418129747;11;Java Advent Calendar Own your heap Iterate class instances with JVMTI;javaadvent.com -81;1418128463;8;Top 10 Books For Advanced Level Java Developers;programcreek.com -2;1418120064;3;JGit Authentication Explained;facon-biz.prossl.de -5;1418118022;11;Typesafe survey Java 8 Adoption Strong Users Anxious for Java 9;infoq.com -16;1418113018;9;lwjgl3 Ray tracing with OpenGL Compute Shaders Part I;github.com -10;1418097778;9;Could you create a rainmeter type program in java;self.java -18;1418064202;9;Java Scala Ceylon Evolution in the JVM Petri Dish;dzone.com -34;1418062870;11;JDK 9 Early access Build 41 Available Images are now modular;mreinhold.org -22;1418062468;4;Update My IRC Client;self.java -0;1418060636;6;Usage of serialVersionUID in Java serialization;softwarecave.org -4;1418056775;8;IntelliJ IDEA 14 0 2 Update is Available;blog.jetbrains.com -18;1418056654;18;Watch this video Dr Venkat Subramaniam if you still don t understand the benefits of Java 8 lambdas;vimeo.com -0;1418054717;10;I need some help in making a text based game;self.java -9;1418020733;13;Java Weekly 49 Java doesn t suck annotations everywhere free ebooks and more;thoughts-on-java.org -2;1418016598;6;factory vs dataclassname Datasource on Tomcat;self.java -1;1418002379;11;Data pool issues Moving legacy Java app from Websphere to Tomcat;self.java -0;1417989727;6;Avoid conditional logic in Spring Configuration;blog.frankel.ch -11;1417986916;11;metadata extractor a Java library for reading metadata from image files;github.com -2;1417971077;7;Need some help with my script please;self.java -0;1417968958;8;Switching JPanel when clicking on a JButton Swing;self.java -0;1417962820;11;Can someone help me see what is wrong with this code;imgur.com -2;1417958756;6;Jolokia 1 2 3 Released ssl;jolokia.org -7;1417946955;27;My system OSX Mavericks has 16GB of RAM but I can run programs with Xms32g Xms512gb and even Xms1024gb didn t test further How is this possible;self.java -14;1417928863;5;your personal opinions on Neo4j;self.java -0;1417902839;11;SD DSS Tool Cross border eSignature creation and validation made easier;github.com -8;1417897034;6;Choco solver Library for Constraint Programming;choco-solver.org -7;1417894403;8;Any suggestions on great debugging code analysis tools;self.java -5;1417888184;9;Apache Maven Assembly Plugin Version 2 5 2 Released;self.java -0;1417886575;9;How do I simulate the collision of two objects;self.java -0;1417886161;6;ECLIPSE PROBLEM Dosgi requiredversion 1 6;self.java -0;1417880075;3;Help with swing;self.java -0;1417849923;5;Content Assist Problems with Eclipse;imgur.com -32;1417838072;27;Core Java Interview Questions Podcast 1 is out now The top 5 actions you can take right now to improve your chances of landing your next job;corejavainterviewquestions.com -19;1417836091;7;Apache Maven Review of Concepts amp Theory;youtu.be -2;1417829142;4;Spark Framework Updating staticFileLocation;self.java -0;1417827132;13;Is it okay to store SQL strings in a DB to later execute;self.java -0;1417824464;8;In MVC should a model contain subview models;programmers.stackexchange.com -1;1417819568;5;Administering GlassFish with the CLI;blog.c2b2.co.uk -1;1417794381;3;Intellij Gradle Swing;self.java -21;1417781719;6;First look Spring Boot and Docker;blog.adaofeliz.com -38;1417779650;9;Proposed to Drop JEP 198 Light Weight JSON API;mail.openjdk.java.net -0;1417764795;7;Groovy can someone explain this to me;self.java -3;1417761819;3;java security settings;self.java -1;1417746411;12;Best way to incorporate William Whitaker s Words into a Java program;self.java -13;1417732573;8;JBoss Forge funny tutorial what do you think;youtube.com -3;1417721593;9;How to host a forked Maven project s artifacts;self.java -0;1417720212;6;How do you compare two Dates;self.java -61;1417719970;7;The Java 7 EE Tutorial free eBook;blogs.oracle.com -7;1417717551;10;Cracking Vigenere Cipher using Frequency Analysis in Java Example Code;ktbyte.com -2;1417715600;7;Demonstration of AES CBC Mode in Java;ktbyte.com -13;1417708402;8;IntelliJ IDEA 14 0 2 RC is Out;blog.jetbrains.com -26;1417706554;10;Can t Stop this Release Train JDK 9 Images Modularised;voxxed.com -2;1417704144;6;Using a switch in a constructor;self.java -13;1417682646;9;Review Java Performance The Definitive Guide by Scott Oaks;thoughts-on-java.org -1;1417680633;8;Review my code and give me some criticism;self.java -0;1417672703;8;I need some help updating my Java installation;self.java -3;1417666988;8;What do you like about the NetBeans IDE;self.java -0;1417661405;7;How to horizontally scale websockets on AWS;self.java -6;1417655506;6;Brian Goetz Stewardship the Sobering Parts;m.youtube.com -2;1417647063;12;JDBC DB delta sync util that brings prod data to QA fast;github.com -0;1417642725;9;Looking for a small Java app for testing purposes;self.java -2;1417629525;6;Survey Help make JBoss Tools better;twtsurvey.com -8;1417628166;12;Product vs Project Development 5 factors that can completely alter your approach;zeroturnaround.com -22;1417626758;10;Java Doesn t Suck You re Just Using it Wrong;jamesward.com -0;1417625782;11;Using testng xml with Gradle and handling up to date checks;publicstaticvoidma.in -382;1417620670;10;Every time I need to kill a hung JVM process;i.imgur.com -2;1417603048;4;Best Java books tutorials;self.java -0;1417559502;6;Compile and run java in textpad;youtube.com -9;1417558771;9;Secure Async WebServices using Apache Shiro Guice and RestEasy;github.com -6;1417557440;18;Apache MetaModel data access framework providing a common interface for exploration and querying of different types of datastores;metamodel.apache.org -10;1417556989;8;KillBill Open Source Subscription Billing amp Payment Platform;killbill.io -14;1417554136;9;RESTful web framework setup can it be any simpler;github.com -0;1417552247;19;FormDataMultiPart needs to get all values in a lt select gt multiselect but its only returning the last selected;self.java -0;1417546627;3;Extracting Jar files;self.java -16;1417543960;7;The Fatal Flaw of Finalizers and Phantoms;infoq.com -27;1417532869;9;You Don t Need Spring to Do Dependency Injection;voxxed.com -0;1417527485;4;Need some help please;self.java -1;1417523328;8;Deferred Fetching of Model Elements with JFace Viewers;codeaffine.com -2;1417490460;9;Developing Microservices for PaaS with Spring and Cloud Foundry;java.dzone.com -2;1417479350;5;Acai Guice for JUnit4 tests;blog.lativy.org -10;1417474361;11;Radioactive Java 8 library for building querying mutating and mapping beans;github.com -1;1417468024;6;Creating executable jar file with Maven;softwarecave.org -2;1417461464;11;Manfred Riem discusses JSF 2 3 MVC 1 0 and Mojarra;content.jsfcentral.com -7;1417458711;9;First Milestone of Spring Data Release Train Fowler Available;spring.io -4;1417457826;11;Spring Integration Java DSL pre Java 8 Line by line tutorial;spring.io -1;1417452732;18;Check my quick and dirty unit test helper to assist you debugging and validating non trivial test outputs;github.com -6;1417452677;6;WordPress Drupal CMS alternatives in Java;self.java -37;1417452343;15;What are some of the biggest and well know java applications used in the world;self.java -36;1417449725;10;15 Tools Java Developers Should Use After a Major Release;blog.takipi.com -4;1417449038;15;Bean mapping generator MapStruct 1 0 Beta3 is out with nested properties qualifiers and more;mapstruct.org -33;1417439187;20;Meet Saros An open source Eclipse extension that allows you to work on code with multiple users from different computers;self.java -2;1417423792;11;Java Weekly 48 Modern APIs Entity Graph agile specs and more;thoughts-on-java.org -4;1417423735;9;New Java Version It s not JDK 1 9;infoq.com -1;1417414181;9;Question Question Regarding JavaScript build tool in Java Project;self.java -0;1417411672;7;Can MicroServices Architecture Solve All Your Problems;sivalabs.in -2;1417405696;5;Entity locking in Spring perhaps;self.java -0;1417402016;3;Programming HW help;self.java -0;1417396721;7;How do you dummy proof an input;self.java -97;1417391248;3;Java for Everything;teamten.com -5;1417389756;32;I work with JEE since 2006 I m currently working with grails and with like to keep my JEE and spring knowledge polished updated What kind of personal project could achieve this;self.java -1;1417382591;6;Using getters and setters best practice;self.java -11;1417373520;11;What s the best place to get started with Spring MVC;self.java -28;1417365329;12;IndentGuide a plugin for Eclipse that shows vertical guides based on indentation;sschaef.github.io -8;1417362616;5;The Rise of Cache First;voxxed.com -0;1417341741;24;When i use an Netbeans IDE i get no errors When i attempt to use javac from the command console i get 25 what;self.java -2;1417331076;9;Multi Job Scheduling Service by using Spring and Quartz;java.dzone.com -0;1417330282;10;How do i make a users input a variable integer;self.java -39;1417330071;9;JVM amp Garbage Collection Interview Questions beginner s guide;corejavainterviewquestions.com -0;1417323187;19;Learn about Exception in Java and How to handle exception in Java One of Most important concept in java;learn2geek.com -14;1417303291;5;Aurous Open Source Spotify Alternative;github.com -37;1417301141;3;Java 8 OPEN;youtube.com -0;1417293667;5;Question Public Static Void Abstract;self.java -0;1417288596;2;Animation Problems;self.java -3;1417254448;17;Chance to win free copy of upcoming Java book Beginning Java Programming The Object Oriented Approach Wiley;dataminingapps.com -11;1417234554;3;Java Game Physics;self.java -0;1417214510;12;Spring IOC tutorial in slovak language with english subtitles feedback is welcome;youtube.com -0;1417208313;2;Spring questions;self.java -0;1417194724;5;Need help with java homework;self.java -20;1417191922;6;Java Performance Workshop with Peter Lawrey;vladmihalcea.com -0;1417182899;9;Java frameworks for webservice application in banking think enterprise;self.java -4;1417180182;6;A question about single class programs;self.java -30;1417168978;6;JavaBeans specification is from another era;blog.joda.org -7;1417147336;2;Teacher Mentor;self.java -20;1417140386;9;IntelliJ vs Eclipse speed for program to start running;self.java -9;1417123566;7;Free hosting service for Maven MySQL project;self.java -0;1417118371;4;Java reference static variables;self.java -0;1417117410;12;Java 1 8 Scrambled GUI on Mac OS X 10 7 5;self.java -9;1417116311;7;Newsflash OmniFaces 2 0 released amp reviewed;beyondjava.net -8;1417114056;9;Bootiful Java EE Support in Spring Boot 1 2;java.dzone.com -15;1417110820;10;A Look at the Proposed Java EE 8 Security API;voxxed.com -21;1417110269;7;Data Processing with Apache Crunch at Spotify;labs.spotify.com -13;1417105033;10;IntelliJ IDEA 14 0 2 EAP 139 560 is Out;blog.jetbrains.com -33;1417102358;8;Flyway 3 1 released Database migrations made easy;flywaydb.org -2;1417100715;8;A good book about everything related to Java;self.java -0;1417086058;4;Login system with Java;self.java -0;1417081994;14;Write and compile your java code online with the help of experienced java programmers;myonlinejavaide.com -0;1417046309;15;Coming soon New Real time as a service sing up and get premium for free;realapi.com -0;1417045996;15;My new tutorial about transactions and Spring please feedback are the subtitles convenient to read;youtube.com -0;1417040043;12;Any one can solve this problem Really hard for a new learner;self.java -74;1417032133;10;Why you should use the Eclipse compiler in Intellij IDEA;blog.dripstat.com -0;1417030129;11;Has anyone written an AngularJS application consisting of 100 HTML pages;self.java -20;1417029154;5;Java EE security JSR published;jcp.org -2;1417029044;17;What s the site or package that has everything you need to get started with web development;self.java -0;1417017034;5;Secure Containers for the Cloud;waratek.com -65;1417011350;13;Docker for Java Developers How to sandbox your app in a clean environment;zeroturnaround.com -3;1417004769;4;SWT Mouse Click Implementation;codeaffine.com -0;1416983448;7;There Is No Cluster in Java EE;java.dzone.com -1;1416983316;6;Writing Complex MongoDB Queries Using QueryBuilder;java.dzone.com -0;1416965539;9;I need help with a really basic Java class;self.java -0;1416964567;7;Measure overhead of JNI invocation on Android;self.java -17;1416960058;9;JSF and MVC 1 0 a comparison in code;arjan-tijms.omnifaces.org -20;1416959458;12;Any recommendations for an installer software to package up Java desktop apps;self.java -6;1416950448;4;Writing Java in iOS;self.java -7;1416940876;15;Spring Cloud 1 0 0 M3 project release train introduces new Cloud Foundry AWS Support;spring.io -7;1416939565;16;Mite Mitreski Java2Days 2014 From JavaSpaces JINI and GigaSpaces to SpringBoot Akka reactive and microservice pitfalls;blog.mitemitreski.com -14;1416938084;13;Anyone depends on Java applets They may stop working in chrome next year;blog.chromium.org -4;1416930994;8;Spring Integration Java DSL Line by line tutorial;spring.io -1;1416929881;12;Does anyone offer classroom training for WAS 7 8 8 5 anymore;self.java -15;1416927920;9;Setting JSF components conditionally read only through custom components;knowles.co.za -12;1416927739;5;Locating JSF components by ID;blogs.oracle.com -8;1416927385;5;Implementing JASPIC in the application;trajano.net -0;1416907115;4;vrais ou faux jumeaux;infoq.com -5;1416906184;7;Order of Servlets in Tomcat Application Deployment;self.java -0;1416889674;9;Spring Roo 1 3 0 Introduces JDK 8 support;java.dzone.com -2;1416889579;11;Externalizing Session State for a Spring Boot Application Using Spring Session;java.dzone.com -3;1416889472;8;Where do you guys read to on java;self.java -37;1416889325;7;Java threading from the start interview questions;corejavainterviewquestions.com -11;1416887550;8;I need an idea for a test project;self.java -0;1416879380;7;why is my java program not repeating;self.java -15;1416860929;4;OmniFaces 2 0 released;arjan-tijms.omnifaces.org -0;1416839302;11;Why is eclipse complaining that it cant find the main class;self.java -5;1416839089;14;Java Weekly 47 Java 9 tweet index compress and authenticate REST service and more;thoughts-on-java.org -50;1416833527;13;ubuntu specific call for action openjdk 8 needs packaging on 14 04 LTS;bugs.launchpad.net -3;1416831229;11;Beat O n space complexity in Spring REST with Streams API;airpair.com -2;1416831176;16;How to parse and execute arithmetic expressions with the Shunting Jard algorithm x post r programming;unnikked.ga -3;1416825270;8;Spring Integration Java DSL 1 0 GA Released;spring.io -0;1416812395;14;lt Help gt User Object count and GDI object count of application in java;self.java -23;1416809657;7;Searchable Javadoc a prototype for JEP 225;winterbe.com -4;1416790393;9;Plugins etc for being more productive developing in Java;self.java -0;1416789555;11;Can someone please explain how to debug a program with eclipse;self.java -0;1416786331;4;NullPointerException in OlympicAthlete class;self.java -0;1416772218;8;Question with Euclids algorithm and the remainder operator;self.java -13;1416770226;3;Salary in US;self.java -0;1416755330;5;Are you concerned about this;indeed.com -9;1416754459;5;Java ranks highly as usual;news.dice.com -31;1416752897;19;We are developing a new browser atop Java not released yet Here s our justification C amp C welcome;gngr.info -2;1416752201;7;Java Primitive Sort arrays using primitive comparators;github.com -0;1416750023;12;uniVocity parsers 1 3 0 is here with some useful new features;univocity.com -97;1416748964;20;A look into the mind of Brian Goetz Java Language Architect the advantages of Java 10 Value Types at 45min;youtube.com -0;1416685244;6;R dplyr Group by field dynamically;java.dzone.com -4;1416685175;12;SpringOne2GX 2014 Replay Developer Tooling What s New and What s Next;java.dzone.com -0;1416677694;4;ELI5 Interfaces in Java;self.java -0;1416677202;11;Keep connection or resume if the connection gets lost on socket;self.java -2;1416673263;7;A layout optimized Java data structure package;objectlayout.org -0;1416672752;6;Aplikasi Java Buat Gambar Kartun Sendiri;pulungrwo.in -56;1416671017;5;ExecutorService 10 tips and tricks;nurkiewicz.com -0;1416664407;17;How can I get java to do nothing if the condition of an if statement is true;self.java -0;1416664192;5;How to debug a ArrayIndexOutOfBoundsException;self.java -1;1416661334;7;structure like switch but defined at runtime;self.java -3;1416636262;12;I want to be a professional Java developer any advice Details inside;self.java -0;1416621005;17;Hey r java Need a project to work on Help with my abstract game engine on GitHub;github.com -0;1416616294;4;SharePoint Crossword Puzzle Generator;self.java -15;1416600656;9;Spring Roo 1 3 0 introduces Java 8 support;spring.io -10;1416598810;9;Spring Boot 1 2 0 RC2 introduces Undertow support;spring.io -6;1416596142;28;Could DukeScript take off in popularity Its not like GWT It can actually run Java with HTML views in a browser environment without a Java plugin or applet;dukescript.com -5;1416592631;3;Help writing bits;self.java -7;1416590685;9;Methods and Field Literals in a future Java version;mail.openjdk.java.net -6;1416589144;6;Seven Virtues of a Good Object;yegor256.com -2;1416588882;10;Decimal Precision with doubles storing in arrays Need help please;self.java -35;1416571930;5;WildFly 8 2 is released;wildfly.org -3;1416563982;12;Speedment Partners with Hazelcast for SQL Based In Memory Operational Data Store;blog.hazelcast.com -3;1416559404;7;File Paths on Linux Pi Vs Windows;self.java -13;1416547586;5;OrientDB 2 0 M3 Released;self.java -0;1416509447;13;SpringOne2GX 2014 Replay Java 8 Language Capabilities What s in it for you;java.dzone.com -50;1416509371;6;Oracle Confirms New Java 9 Features;java.dzone.com -0;1416504516;6;Hiring Philadelphia PA Java Software Developer;self.java -13;1416504070;10;IntelliJ IDEA 14 0 2 EAP 139 463 is Out;blog.jetbrains.com -0;1416501403;9;Restful designs and use of Spring MVC Spring Core;self.java -0;1416497233;2;Java question;self.java -1;1416496206;10;Using technical tests to screen candidates Good or bad idea;corejavainterviewquestions.com -23;1416495000;15;SPARC Needs 30 Java Devs in the Next 30 Days Want to Move to Charleston;sparcedge.com -15;1416490629;10;Spring MVC save memory with lazy streams in RESTful services;airpair.com -7;1416484667;7;OmniFaces 2 0 RC2 available for testing;arjan-tijms.omnifaces.org -8;1416477712;5;New shared OverlayPanel in PrimeFaces;blog.primefaces.org -0;1416450398;10;For loop isn t resetting the counter when it repeats;self.java -28;1416425857;19;My employer is rolling out a 20 week Java developer course for existing staff I would appreciate some advice;self.java -4;1416422056;10;Spring XD 1 1M1 debuts Apache Spark Kafka Redis support;spring.io -1;1416408602;5;Referencing file location in webapp;self.java -2;1416406407;6;A Skeptic s Adventure with Hazelcast;worthingtoncloud.com -2;1416405581;9;How to use angularJS directives to replace JSF components;entwicklertagebuch.com -3;1416403372;3;Interrupting Executor Tasks;techblog.bozho.net -2;1416400269;4;Java generics runtime resolution;github.com -0;1416399316;8;Help making an int work in a Jframe;self.java -2;1416399008;5;Java EE patterns book recommendations;self.java -26;1416391673;4;JPA Entity Graphs explained;radcortez.com -5;1416388503;4;LWJGL First 10 days;blog.lwjgl.org -1;1416369396;8;Hybrid Deployments with MongoDB and MySQL 3 Examples;java.dzone.com -0;1416369187;9;Data Inconsistencies on MySQL Replicas Beyond pt table checksum;java.dzone.com -4;1416361788;3;LWJGL 3 Help;self.java -1;1416346852;11;Read Write access to a virtual directory from JVM on windows;self.java -0;1416346026;6;Running Tomcat on a cell phone;self.java -4;1416345543;5;JSF in the Modern Age;infoq.com -2;1416344253;6;Advice With Java Scheduling Frameworks APIs;self.java -28;1416339971;6;Java 9 JSON Jackson and Maven;self.java -0;1416322993;6;Help with 50 state capitals program;self.java -17;1416320872;9;Can you safely serialize an object between java versions;self.java -2;1416313977;3;Nodeclipse Plugins List;nodeclipse.org -0;1416286021;5;Ninja JAX RS and Servlets;blog.ltgt.net -5;1416285351;28;Stack trace doesn t contain cause s stack trace Am I dreaming or what AFAIR exception stack traces used to contain child cause exception s stack traces too;self.java -0;1416283804;11;What s are the differences between a Set and an Array;self.java -6;1416280476;24;Was just shown this and even though I was explained to how it works all I can say is it s just like magic;xstream.codehaus.org -1;1416264872;7;JFrame slides in rather than just appearing;self.java -0;1416263262;8;Can someone please help with my Java program;self.java -11;1416260751;8;Is there anything like Flask framework for Java;self.java -2;1416255793;12;Help with making a final project for my class connect four game;self.java -1;1416251967;4;Java 8 0 Update;self.java -33;1416250708;4;JDK Dynamic Proxies explained;byteslounge.com -0;1416247314;4;Package JRE with Webstart;self.java -1;1416244336;3;Spring Boot Books;self.java -3;1416235792;6;Java only solution to Cache Busting;supposed.nl -7;1416218096;14;Java Weekly 46 Joda Time to Java8 new Apache Tamaya Java internals and more;thoughts-on-java.org -9;1416214352;4;PrimeFaces Elite Triple Release;blog.primefaces.org -9;1416212535;16;Latest NetBeans podcast discusses Java IDEs coding and how we can encourage more people into coding;blogs.oracle.com -18;1416209694;7;jcabi aspects Useful Java AOP AspectJ Aspects;aspects.jcabi.com -12;1416183119;5;Animated path morphing in JavaFX;tomsondev.bestsolution.at -10;1416179915;7;Java 8 s Date Time API Quickstart;blog.stackhunter.com -22;1416179517;8;Header based stateless token authentication for JAX RS;arjan-tijms.omnifaces.org -2;1416177752;14;SimpleFlatMapper 1 0 0b3 now with JPA column annotation support stream and iterator support;github.com -0;1416162424;20;Help installing java 7 for windows vista 32bit I can t find links anywhere or tutorials that aren t outdated;self.java -4;1416144644;6;Can you explain your system design;corejavainterviewquestions.com -3;1416138989;11;Little Known Things about the Eclipse Infocenter Language Switching 4 5;java.dzone.com -1;1416135007;17;Help Robotality beta test native desktop builds of its Java and libGDX based game Halfway on Steam;robotality.com -56;1416106872;8;Java is still the most popular language Woo;devsbuild.it -8;1416092625;5;What is an UnannType exactly;self.java -0;1416086874;9;Need help with reflecting an image in java eclipse;self.java -14;1416067168;6;Jetty 9 2 5 v20141112 Released;dev.eclipse.org -14;1416061009;7;HttpComponents Client 4 3 6 GA Released;mail-archives.apache.org -15;1416060785;5;Apache JMeter 2 12 released;mail-archives.apache.org -31;1416057349;7;Lambda2sql Convert Java 8 lambdas to SQL;github.com -14;1416050550;7;Dependency Injection with Dagger 2 Devoxx 2014;speakerdeck.com -0;1416048703;4;Java code output result;self.java -12;1416043992;8;Unorthodox Enterprise Practices presentation from Java ONE 2014;parleys.com -14;1416007682;10;TIL Java RegEx fails on some whitespaces SO link inside;self.java -0;1416001823;5;ICEfaces 4 0 Final Released;icesoft.org -12;1415987830;4;5 Evolving Docker Technologies;java.dzone.com -25;1415987728;6;Java 8 Collectors for Guava Collections;java.dzone.com -0;1415983694;5;Ajax for interacting with websites;self.java -10;1415977758;4;Java crawlers and scrapers;self.java -4;1415977567;3;Eclipse over Cloud;self.java -3;1415966246;7;using mysql with java on a lan;self.java -1;1415965262;8;IntelliJ IDEA 14 0 1 Update is Available;blog.jetbrains.com -4;1415962990;4;Typeclasses in Java 8;codepoetics.com -12;1415961520;14;What are the leading tools and frameworks for Java web applications development in 2014;self.java -3;1415960843;7;Has someone fiddled with the Currency JSR;self.java -7;1415959305;7;Java 8 s Date Time API Quickstart;blog.stackhunter.com -55;1415936509;24;Can someone explain Docker to me and whether its good for java backend servers and if so is it better than regular cloud VMs;self.java -11;1415933944;11;Whats a good idea for a program that s text based;self.java -5;1415928800;7;Object Oriented Programming and why is important;mfrias.info -11;1415901186;9;Does anybody of you use clean architecture in production;self.java -1;1415886314;9;Agile Smells Versus Agile Zombies in the Uncanny Valley;java.dzone.com -0;1415886200;10;Four Ways to Optimize Your Cluster With Tag Aware Sharding;java.dzone.com -61;1415845927;10;What is a good modern Java stack for web apps;self.java -25;1415844568;15;I m probably some of you s worst nightmare Can you help me not be;self.java -1;1415832099;11;Visualizing the class import network in 5 top open source projects;allthingsgraphed.com -7;1415821641;12;Do i need to learn native Hibernate or is JPA Hibernate enough;self.java -0;1415820550;22;DZone research SpringIntegration leads ESB space at 42 learn more about the 4 1 GA release now bit ly 1ECwXG4 java springio;spring.io -1;1415812860;8;Is there a non Eclipse analog to JIVE;cse.buffalo.edu -65;1415812022;18;NET core is now open source does r java have any opinions on how this will affect Java;blogs.msdn.com -4;1415802713;7;Websites apps for rust removal on java;self.java -0;1415793185;7;uniVocity parsers 1 2 0 is here;univocity.com -0;1415788645;8;What is the best way to lear Java;self.java -0;1415787857;7;Whitepaper Hazelcast for IBM for eXtremeScale users;hazelcast.com -22;1415781169;5;Java Annotated Monthly November 2014;blog.jetbrains.com -2;1415752071;9;Spring Framework Component Scanner in Executable jar not working;self.java -4;1415747581;12;Seeking information regarding getting a Java applet we ve developed digitally signed;self.java -1;1415739613;11;Top Java IDE Keyboard Shortcuts for Eclipse IntelliJ IDEA amp NetBeans;zeroturnaround.com -0;1415736684;6;Java Software Licensing API and Application;license4j.com -0;1415735958;3;License4J License Manager;community.spiceworks.com -8;1415735188;13;Learning Java Android Studio or Eclipse End goal is developing apps for Android;self.java -23;1415734878;11;Should I learn Java EE 7 or Spring Framework 4 x;self.java -11;1415732508;18;eBay Connecting Buyers and Sellers Globally via JSF and PrimeFaces handling more than 2 million visits per day;parleys.com -33;1415725485;6;The Complete Java Phone Interview Guide;self.java -2;1415723127;5;Netbeans IDE for Spring development;self.java -0;1415722919;8;hey guys can you check my code out;self.java -7;1415722386;9;Why would you use Spring MVC and AngularJS together;self.java -1;1415721700;3;OpenJDK vs oracle;self.java -4;1415721623;7;PriorityQueue and mutable item behavior Freenode java;javachannel.org -5;1415711463;4;Eclipse exit code 13;self.java -5;1415708774;9;EditBox Eclipse plugin highlighter of the source code background;editbox.sourceforge.net -78;1415707035;14;Jodd is set of Java micro frameworks tools and utilities under 1 5 MB;jodd.org -9;1415702632;8;An Entity Modelling Strategy for Scaling Optimistic Locking;java.dzone.com -6;1415702462;8;Testing HTTPS Connections with Apache HttpClient 4 2;java.dzone.com -0;1415674518;10;JRE8 Required Need some testing for this UI Based program;self.java -1;1415645315;6;Catching and implementing exceptions Freenode java;javachannel.org -2;1415645205;4;Update My TicTacToe game;self.java -21;1415642558;6;Tutorial sites for creating actual programs;self.java -4;1415615169;8;grant codeBase in java policy not taking effect;self.java -0;1415604487;24;Can someone explain this better for me I already downloaded the most recent version of java and what is the search field too broad;imgur.com -17;1415597956;10;Building Microservices with Spring Boot and Apache Thrift Part 1;java.dzone.com -8;1415597179;6;Missing Stack Traces for Repeated Exceptions;java.dzone.com -0;1415583622;10;Having trouble building a gridpane that changes depending on value;self.java -0;1415571052;15;java IntelliJIDEA 14 cannot run Spring Project with Tomcat but with Eclipse it runs smoothly;stackoverflow.com -1;1415564383;10;How to install and use the Datumbox Machine Learning Framework;blog.datumbox.com -4;1415548107;5;Just finished my TicTacToe application;self.java -0;1415531939;9;How can I install java without the toolbar crap;self.java -2;1415527226;15;Is there a Java IDE that can use a remote JDK JRE for each project;self.java -12;1415524851;5;Famous Java Apps UI solutions;self.java -10;1415515754;4;Any java bedtime videos;self.java -9;1415458064;7;OmniFaces 2 0 RC1 available for testing;arjan-tijms.omnifaces.org -0;1415455654;6;LWJGL Display update slowing down application;stackoverflow.com -57;1415453279;15;Conducted an interview for a senior Java developer where my questions too hard see inside;self.java -19;1415447424;7;Java Functions Every Java FunctionalInterface you want;github.com -50;1415403380;6;Short and sweet Java Docker tutorial;blog.giantswarm.io -28;1415395327;5;Java 8 for Financial Services;infoq.com -1;1415387850;5;Tomcat standalone vs Installation Windows;self.java -1;1415387170;12;JSF Versus JSP Which One Fits Your CRUD Application Needs Part 2;java.dzone.com -2;1415379661;18;Trying to get Java 7 on Mac no 1 7 0 jdk in Java Virtual Machines folder Halp;self.java -2;1415346242;24;How can I use printStackTrace from a Throwable or getStackTrace from Thread to see a running thread s called methods AND the initializers constructors;self.java -10;1415340528;4;Cool Raspberry Pi Ideas;self.java -10;1415331423;8;So I want to build an IRC client;self.java -1;1415312677;8;Create war with version but explode without it;self.java -5;1415301449;9;Providing alternatives for JSF 2 3 s injected artifacts;jdevelopment.nl -14;1415295146;3;JRebel 6 Released;zeroturnaround.com -3;1415286082;5;Event Driven Updates in JSF;github.com -2;1415284784;6;Dev of the Week Markus Eisele;java.dzone.com -47;1415284077;5;Better nulls in Java 10;blog.joda.org -8;1415283026;9;Live Webinar What s New in IntelliJ IDEA 14;blog.jetbrains.com -6;1415278452;8;Can someone ELI5 the hashcode method for me;self.java -13;1415273618;11;The difference between runtime and checked exceptions and using them properly;javachannel.org -6;1415272655;5;Java socket via proxy server;self.java -5;1415240966;8;Want to make something visual Looking for advice;self.java -7;1415239143;12;EasyCriteria has evolved to UaiCriteria New name and more features for JPA;uaihebert.com -78;1415228811;6;Why is dynamic typing so popular;self.java -6;1415228003;10;Hibernate doesn t use PostgreSQL sequence to generate primary key;self.java -3;1415225851;5;On Java Generics and Erasure;techblog.bozho.net -2;1415209015;7;Question Tomcat parallel deployment or hot deployment;self.java -2;1415206580;6;Injecting dependencies for scalability with Hazelcast;blog.hazelcast.com -3;1415205019;12;Microservices with the Spring Cloud 1 0 0M2 release train of projects;spring.io -1;1415202673;7;Looking for a Graph DB with OGM;self.java -4;1415197236;3;Maven with tomcat8;self.java -88;1415190437;5;IntelliJ IDEA 14 is Released;blog.jetbrains.com -2;1415189313;11;Censum 2 0 0 with Java 8 Support and G1 Analysis;jclarity.com -4;1415186395;12;Best or most widely used libraries that can do HMAC SHA1 encoding;self.java -3;1415184506;8;Building Bootful UIs with Spring Boot and Vaadin;java.dzone.com -0;1415184107;11;Calculate amp Find All Possible Combinations of an Array Using Java;hmkcode.com -6;1415183025;7;Infinispan 7 0 0 Final is out;blog.infinispan.org -48;1415180445;10;New fast hash Java implementations Murmur3 3 7 GB s;github.com -9;1415180157;7;Valhalla Aggressive unboxing of values status update;mail.openjdk.java.net -2;1415179996;11;Is there more to csv that just a comma separated String;self.java -0;1415156335;9;Whats Wrong Returns must return a type of double;self.java -0;1415154722;10;Help with multidimensional arrays no response in R programming help;self.java -0;1415147427;10;Why are conditional statements able to be formatted like this;self.java -8;1415142420;9;Developing WebGL Globe Apps in Java with Cesium GWT;cesiumjs.org -4;1415141432;6;Applying Java Code Conventions Using Walkmod;methodsandtools.com -12;1415125851;5;Java 8 Streams Micro Katas;technologyconversations.com -0;1415117511;3;Java blocks everything;self.java -0;1415116345;10;How to disambiguate Spring Bean references with the Qualifier Annotation;spring.io -54;1415114511;12;Beyond Thread Pools Java Concurrency is Not as Bad as You Think;takipioncode.com -0;1415113314;22;What s the hype about RESTful services Its the same thing as servlets which we have been using since the stone age;self.java -2;1415108075;17;Should i do a masters in IT I have a lot of experience as a Java Developer;self.java -18;1415104685;7;Spring Caching Abstraction and Google Guava Cache;java.dzone.com -0;1415104486;7;Provisioning with Ansible Within the Vagrant Guest;java.dzone.com -9;1415092952;7;Object Oriented Wrapper of Amazon S3 SDK;github.com -17;1415081822;6;Builder Pattern with Java 8 Lambdas;benjiweber.co.uk -4;1415076639;5;Help with intellij and github;self.java -0;1415068262;8;is there a solution manual for imagine java;self.java -1;1415066358;7;What Happened to the Spring MVC tutorial;self.java -0;1415065141;7;Question Deploying app to Tomcat vs WebSphere;self.java -1;1415056462;4;What can I expect;self.java -0;1415050470;13;Can anyone point me in the right direction for open source java projects;self.java -0;1415042802;4;Question about while loops;self.java -1;1415037852;6;Code style Where to put Override;self.java -2;1415037181;5;Practical uses for short type;self.java -3;1414993027;13;Where can I learn the basics of logging and Log4J in under 2hours;self.java -5;1414989254;2;JPA Joins;self.java -0;1414973063;30;I could use some help with a program I m writing for school I m not getting any errors on compile but something goes wrong when trying to get input;self.java -1;1414961642;13;Tried to implement the example but I got the error in the title;self.java -26;1414957117;17;Java Devs have any of you make the switch to functional programming Scala x post r learnprogramming;self.java -0;1414950242;4;Help with Java Error;self.java -4;1414950238;7;Rationale for new keyword being the language;self.java -17;1414944045;7;IntelliJ IDEA 14 RC 2 Looking Good;java.dzone.com -0;1414943902;5;Sorting Descending order Java Map;stackoverflow.com -20;1414938938;12;F X yz An open source JavaFX 3D Visualization and Component Library;birdasaur.github.io -7;1414925477;6;Apache Camel 2 13 3 Released;mail-archives.apache.org -0;1414919309;8;Looking for a partner to maintain WhateverOrigin org;self.java -30;1414893712;15;I want to get started learning web development but keep hearing that JSP is dying;self.java -8;1414882909;6;Are you doing the polygot boogie;self.java -7;1414864968;15;Turn a Client Server Socket chat To A Client Server SSl socket chat for security;self.java -7;1414849080;4;Hibernate collections optimistic locking;vladmihalcea.com -15;1414848662;11;How to Setup Custom SSLSocketFactory s TrustManager per Each URL Connection;java.dzone.com -5;1414848431;8;Eclipse shines light on cloud based app dev;javaworld.com -10;1414804811;7;Java EE process cycles and server availability;arjan-tijms.omnifaces.org -11;1414791963;15;Spring Integration 4 1 s Java DSL RC1 introduces deeper Java 8 Method Scope Functions;spring.io -13;1414783075;7;Using stability patterns in a RESTful architecture;javaworld.com -5;1414769137;6;writejava4me Easy code generation for Java;github.com -0;1414767199;7;Grails RAD development for UI is lacking;self.java -4;1414766584;12;A good servlet jsp book enough to move to spring hibernate etc;self.java -17;1414764704;12;Mysterious new Java EE 6 server shows up at Oracle certification pages;jdevelopment.nl -1;1414763746;7;Multi Tenancy with Java EE and JBoss;lambda-et-al.eu -29;1414754776;9;Zero allocation thoroughly tested implementation of CityHash64 for Java;github.com -9;1414735114;21;Java 8 Collect how to use the collect operation over Java 8 streams in order to implement functional style programming reductions;byteslounge.com -1;1414717439;18;Inexperienced Java programmer Do you guys think I could wing this and be able to pull it off;self.java -1;1414716545;7;When do I connect to a database;self.java -8;1414705482;7;Apache Maven Assembly Plugin 2 5 Released;maven.40175.n5.nabble.com -99;1414704097;14;slides Java 8 The good parts A lean amp comprehensive catchup for experienced developers;bentolor.github.io -10;1414702947;5;Netty 4 0 24 Final;netty.io -0;1414698050;4;Problems with Cmd Prompt;self.java -1;1414697909;12;any clever ways to ensure code coverage for XSLT in my application;self.java -1;1414696135;8;Question Java web development and hiding source code;self.java -6;1414684397;10;JaveLink Java s MAVLink implementation x post from r multicopters;github.com -3;1414680505;15;How would you go about making a program that allows multiple users to log in;self.java -41;1414667791;4;W3C Finalizes HTML5 Standard;java.dzone.com -0;1414666836;14;Idea for Java Simplified value range syntax if 0 lt idx lt myList size;self.java -0;1414661854;5;A boon to Java developers;self.java -1;1414635813;8;About to begin upgrading Hibernate versions lessons learned;self.java -25;1414634544;11;Java Robot Class I designed a Texas Hold em Poker Bot;self.java -5;1414629458;7;Why the JVM Development Tools Market Rocks;zeroturnaround.com -0;1414622159;4;Legacy Java Data Risk;waratek.com -8;1414608219;10;What are your opinions on Apache Wink Jersey and RestEasy;self.java -2;1414608164;4;Java 8u20 security question;self.java -9;1414606456;7;RichFaces 4 5 0 Final Release Announcement;bleathem.ca -0;1414604696;4;Help Object Oriented Programming;self.java -35;1414591453;7;RoboVM beckons Java 8 programmers to iOS;infoworld.com -4;1414575215;5;JavaOne 2014 Day Four Notes;weblogs.java.net -11;1414572714;9;Hazelcast 3 0 An Interview with Founder Talip Ozturk;blog.hazelcast.com -0;1414559615;6;When will Eclipse focus on UI;self.java -0;1414557287;5;Writing parameterized tests with TestNG;publicstaticvoidma.in -14;1414540166;4;ProGuard Real World Example;alexeyshmalko.com -0;1414531919;5;Know some Java What now;self.java -11;1414522614;17;I have hours a day I can just read not program any suggestions on content to study;self.java -1;1414515746;9;Spring Boot Play Grails analysis for RestFul Backend Chat;self.java -0;1414513138;5;Java student question about loops;self.java -1;1414509962;6;Looking for comprehensive java book s;self.java -8;1414509248;13;Why are you learning Java if you already know PHP C or RoR;self.java -7;1414490985;11;Develop and manage Java Apps with IBM Bluemix and DevOps Services;ibm.com -7;1414488042;10;Firebird Conference 2014 presentations and source code Jaybird and Jooq;firebirdnews.org -4;1414463123;5;Complete Beginner Help Needed Please;self.java -0;1414459585;4;Help with JSF Primefaces;self.java -1;1414453574;7;Can anything slow the Java 8 train;techrepublic.com -0;1414444710;7;Want to learn but not from scratch;self.java -5;1414437260;4;Multiline Strings in Java;github.com -1;1414433714;10;What to call a group of Repository Entity and Query;self.java -17;1414433261;13;Spring Integration 4 1 RC1 introduces web socket JDK8 support and much more;spring.io -48;1414431254;15;350 Developers Voted for Features in Java 9 Have They Decided the Same as Oracle;takipioncode.com -1;1414421506;14;Who are some notable people using JVM as its backend for their personal website;self.java -12;1414421116;10;Spring Security and AngularJS Authentication and Authorization a Whitelisting Approach;youtube.com -0;1414416837;10;Can someone help make a Java based installer for me;self.java -0;1414412103;16;What s the easiest for a program to check if a typed number is a prime;self.java -5;1414411242;7;How to get into Java Web development;self.java -1;1414405153;6;Spring Tool Suite web application tutorials;self.java -1;1414400073;13;JCDP a lib to print colored messages or debug messages on a console;diogonunes.com -3;1414391234;3;PrimeFaces Mobile DataTable;blog.primefaces.org -0;1414370956;6;Eclipse not working after Java update;self.java -2;1414368248;8;How would you format this method method signature;self.java -0;1414366880;7;Must have keyboard shortcuts for java programming;self.java -5;1414366320;9;What is the best way to learn java EE;self.java -0;1414361682;18;How might I go about making an instant messenger GUI similar to the gmail or Facebook IM bar;self.java -83;1414356987;11;Bill Gates answers questions about Java during a deposition 1998 video;youtube.com -1;1414356407;1;Exercises;self.java -2;1414355954;12;Struggling to understand enqueue in a linked list implementation of a queue;self.java -2;1414351241;3;JBoss rules help;self.java -1;1414346957;8;Eclipse isn t interfacing with the JavaFX project;self.java -0;1414326655;6;HOW to turn off eclipse tips;self.java -17;1414322051;5;Apache Log4j 2 1 released;mail-archives.apache.org -6;1414321187;5;Using a webcam with Java;self.java -9;1414300408;26;Can you please provide me requirements for a good Spring Hibernate Project that makes me use and learn Spring Core Security Web Services MVC and Hibernate;self.java -10;1414290938;8;What are some alternatives to DAO for JPA;self.java -0;1414282599;15;What libraries can give me a background application that can count keystrokes NOT A KEYLOGGER;self.java -2;1414280530;12;How efficient is Eclipse in dealing with deleting files and unnecessary information;self.java -3;1414270609;6;Before I get started on GUI;self.java -5;1414261835;3;Spring Tutorial Removed;self.java -10;1414256557;14;show r java a request router for java 8 comments and critics are appreciated;github.com -33;1414256339;7;What program can I make for practice;self.java -7;1414225195;20;Which part component of the JVM is responsible for allocating memory for objects when a constructor is invoked via new;self.java -6;1414222329;2;Jsoup help;self.java -13;1414213867;4;Is this bad practice;self.java -0;1414199754;20;How do I make it so other squares move independently without me having to hold a key on the keyboard;self.java -42;1414191029;6;JEP 218 Generics over Primitive Types;openjdk.java.net -0;1414183090;27;How do I get rid of this It s just annoying and makes what could be a fast line take twice as long as it should Eclipse;imgur.com -7;1414172829;10;Working with Java 7 security requirements for RIA hurdles encountered;self.java -0;1414172457;4;Java Boids Swarm intelligence;rawcoders.com -0;1414171835;4;java constructor overloading doubt;self.java -0;1414159627;5;Java A Beginner s Introduction;rawcoders.com -17;1414151605;12;Should I learn JSF Does it work with JQuery Bootstrap style design;self.java -6;1414147033;15;What is your favorite book exhaustive blog post about the new stuff from Java 8;self.java -0;1414143275;7;Addison Wesley eBook Processing XML with Java;freecomputerbooks.pickatutorial.com -8;1414138837;7;JSF 2 3 changes late October update;weblogs.java.net -1;1414130000;6;Spring AMQP 1 4 RC1 Released;spring.io -0;1414115881;3;help with JSON;self.java -0;1414112096;6;Good introduction guide references for Eclipse;self.java -55;1414109437;13;List of java encryption method examples with explanations on how why they work;cs.saddleback.edu -1;1414098210;4;Environment Variable in Tomcat;self.java -0;1414097458;5;Can you help with this;self.java -2;1414094291;7;HttpComponents Core 4 3 3 GA released;markmail.org -14;1414090594;5;High performance libraries in Java;javacodegeeks.com -3;1414086944;8;Tool for generating JUnit tests for Android Free;testdroid.com -0;1414083952;14;Learning Java Don t know why my teacher added an extra Scanner please explain;self.java -0;1414083027;13;Analyzing tricks competitors play making the claim that list price comparisons are misleading;planet.jboss.org -4;1414076916;10;Seeking advice on what to study after learning Core Java;self.java -4;1414076159;14;Configuring amp Running Specific Methods in Maven Projects in NetBeans IDE Geertjan s Blog;blogs.oracle.com -0;1414076082;5;Question Computing for kinetic energy;self.java -40;1414073628;12;Coming to Java from Python frustrated Any tips for connecting the dots;self.java -1;1414052045;6;Experiences of development using Virtualbox Linux;self.java -12;1414051357;4;Java Sleight of Hand;infoq.com -1;1414046236;10;How can I create a panel as a new frame;self.java -2;1414040701;7;What is the C equivalent of JEE;self.java -0;1414029547;17;I m receiving an error message every time I attempt to install JDK Details in the post;self.java -0;1414027598;11;create a stream builder of a given type other than Object;self.java -0;1414018458;6;Arrays While could use some help;self.java -0;1414007637;5;Which IDE IntelliJ or Eclipse;self.java -11;1414007309;5;Csv Parser Performance comparaison extended;self.java -0;1414005380;1;collaboration;self.java -0;1414002363;5;How to Manage pf Rules;prolificprogrammer.com -0;1413999581;9;Syntax error on token else delete this token ERROR;self.java -3;1413997232;8;Want to help write documentation for Spark Framework;self.java -0;1413996692;8;Need to enhance best practices in web frameworks;self.java -13;1413995892;9;CDI 2 0 first Face to face meeting feedback;cdi-spec.org -2;1413976741;2;Android develpment;self.java -0;1413971073;2;Storing SQL;self.java -2;1413967970;9;Java Error Tracker StackHunter v1 2 Available for Download;blog.stackhunter.com -3;1413941714;8;A new way to avoid SQL in Java;dbvolution.gregs.co.nz -5;1413930287;27;Can anyone recommend a good Java tutorial series video online class book that will have me build something from scratch all the way to a finished product;self.java -2;1413929999;2;Security settings;self.java -1;1413923712;5;MinuteProject Release 0 8 8;minuteproject.wikispaces.com -4;1413920694;9;ProjectHierarchy tries to reinvent Java using a NoDB database;projecthierarchy.org -2;1413916519;8;I have a bit of a installation conundrum;self.java -6;1413911027;12;A new free amp state of the art natural language processing library;blog.dlib.net -58;1413902021;7;Developers Are Adopting Java 8 In Droves;readwrite.com -19;1413900972;9;Why yet another MVC framework in Java EE 8;blogs.oracle.com -2;1413898079;7;Product for automatic implementation of web service;self.java -13;1413891318;7;Java dev and deployment operating systems choice;self.java -0;1413873490;9;How to install ask com toolbar on a smartcard;self.java -15;1413853433;5;Java Annotated Monthly October 2014;blog.jetbrains.com -28;1413828258;12;I figured out why Java updates never seem to work on Chrome;self.java -1;1413821267;4;Java Tutorial Through Katas;technologyconversations.com -6;1413815689;17;Java Developer Survey Gives Current Stats on Java 8 Apache Spark Docker Container Usage by Java Devs;java.dzone.com -0;1413812501;2;Priority queue;self.java -31;1413806800;9;Supercharged jstack How to Debug Your Servers at 100mph;takipioncode.com -0;1413798810;5;Java Console in gui form;self.java -7;1413796638;11;Java Weekly 16 Named Parameters Java Batch JavaOne Recordings and more;thoughts-on-java.org -3;1413775916;7;Which environment to use for JSF project;self.java -18;1413755589;9;Java oriented tech interview coming up what to expect;self.java -0;1413749978;5;Little help with java applets;self.java -5;1413747431;7;question about the rules of this subreddit;self.java -14;1413740831;6;Functional Programming with Java 8 Functions;blog.informatech.cr -5;1413723727;7;Parsing and Translating Java 8 lambda expressions;stackoverflow.com -80;1413717934;5;Why does everyone hate Eclipse;self.java -17;1413717811;9;New open source Machine Learning Framework written in Java;blog.datumbox.com -1;1413701007;7;trouble getting started with libGDX JAVA_HOME error;self.java -1;1413693019;12;A method annotation based contrast with bean annotation validator inspired by JUnit;github.com -0;1413686435;9;Ask Toolbar Bundle How is this still a thing;self.java -17;1413681808;4;Java Bytecode Viewer Decompiler;github.com -1;1413681183;11;Java Castor How to Generate an Attribute with an Embedded Colon;self.java -30;1413672976;13;How current are the Spring frameworks How do they compare to the alternatives;self.java -1;1413666549;11;JSF 2 3 Servlet 4 0 EG JavaOne meeting audio transcript;java.net -1;1413666526;11;what am I doing wrong with sorting an array of Objects;self.java -0;1413660987;3;CSV Parsers Comparison;github.com -5;1413653247;8;How to account for multiple attributes in XML;self.java -4;1413635819;14;Maven plugin for simple releasing It only updates automatically pom version as be needed;github.com -0;1413635725;7;Apache HttpComponents HttpAsyncClient 4 1 beta1 Released;mail-archives.apache.org -0;1413611764;11;Need help with putting all methods in one world frame turtle;self.java -43;1413611312;6;First JavaOne 2014 talks now available;parleys.com -5;1413597902;17;JRE 7 update 71 72 no longer honors auto configuration script in IE Anyone else seeing this;self.java -1;1413576705;3;Head First Spring;self.java -0;1413574434;22;so im going to start learning java and i want to make games like notch does any idea where i should start;self.java -2;1413570438;9;JSF Tip 63 Another way to override a renderer;weblogs.java.net -1;1413568549;3;JSF and Ajax;self.java -4;1413563944;6;Java Tutorial Through Katas Mars Rover;technologyconversations.com -0;1413560983;19;First time writing a blog post Decided to do it on Spring Batch Let me know what you think;makeandbuild.com -0;1413560041;6;Matching Latin characters with regular expressions;mscharhag.com -0;1413559769;3;Groovier Groovy DSL;eclecticlogic.com -5;1413554092;6;A list of Dependency Injection framework;self.java -0;1413552603;14;Log DEBUG level messages of the flow only if there is an exception error;self.java -0;1413515852;8;Having trouble understanding how to get this loop;self.java -2;1413515729;7;Simple component based full stack web framework;self.java -0;1413502555;8;How do I create a Node in java;self.java -2;1413497630;5;Java interfacing with roblox questions;self.java -3;1413493560;7;Setting up lwjgl for cross platform usage;stackoverflow.com -14;1413492590;11;What is the difference between an Interface and an Abstract class;self.java -0;1413485712;10;Can you please give examples of well known Java applications;self.java -6;1413482278;7;RichFaces 4 5 0 CR2 Release Announcement;bleathem.ca -0;1413463932;3;ArrayList advice please;self.java -1;1413441056;8;Having trouble with running code in code runner;self.java -44;1413432949;18;IDEs vs Build Tools How Eclipse IntelliJ IDEA amp NetBeans users work with Maven Ant SBT amp Gradle;zeroturnaround.com -11;1413424742;21;Gatling Load testing tool for analyzing and measuring the performance of a variety of services with a focus on web applications;gatling.io -0;1413415795;4;Help using Netbeans IDE;self.java -35;1413414735;6;Why should fields be kept private;self.java -3;1413414661;7;Thinking of porting some libraries to Java;self.java -6;1413405067;6;Maven Compiler Plugin 3 2 Released;maven.40175.n5.nabble.com -3;1413400849;9;Add version to war builds with jenkins or ant;self.java -0;1413400224;6;Does anybody else hate Eclipse rant;self.java -0;1413399249;14;Oracle keeps telling us that JSP is dead So what is a good alternative;self.java -1;1413390412;11;DAE find it difficult to add JPA support to your projects;self.java -0;1413387457;11;How to use MouseListener Interface to handle Mouse Events in Java;thecomputerstudents.com -13;1413363041;5;JSF 2 3 Inject ExternalContext;weblogs.java.net -17;1413346920;9;Difference between Java CPU 7u71 and PSU 7u72 release;blogs.oracle.com -0;1413332082;6;Interfacts abstract oop uncertain use case;self.java -11;1413327464;3;Little java project;self.java -0;1413311833;4;Need help learning Java;self.java -11;1413306379;5;OAuth 2 0 JASPIC implementation;trajano.net -76;1413296732;22;Java SE 8 is ready to debut as the default on Java com Java 7 SE Update 71 amp 72 Release today;blogs.oracle.com -18;1413285233;10;Looking for somewhere to learn ASM bytecode modification with Examples;self.java -0;1413284905;12;How do I block letters when I m doing a console calculator;self.java -6;1413245949;2;Collaboration project;self.java -10;1413236988;7;Large amount of resources about Spring Security;spring-security.zeef.com -11;1413228170;7;50 New Features of Java EE 7;java-tv.com -15;1413212918;6;Calling Java 8 functions from Scala;michaelpollmeier.com -2;1413207541;7;Gradle GORM Map to many performance question;self.java -3;1413201057;24;Are there other interpreters REPLs live evaluators like what is in Light Table for Python and JavaScript but for Java x post r learnprogramming;self.java -0;1413198613;10;View Source Code of A Java Class File 100 Working;frd4.com -8;1413197008;10;Java Weekly 15 JavaOne Lambdas authentication HTTP 2 and more;thoughts-on-java.org -3;1413189662;11;The road to Java EE 7 Liberty EE 7 October update;developer.ibm.com -60;1413178116;9;What exactly does IntelliJ do better than Netbeans Eclipse;self.java -0;1413170128;4;Length of an object;self.java -1;1413154358;7;Injecting domain objects instead of infrastructure components;mscharhag.com -0;1413145333;4;XWiki 6 2 1;xwiki.org -3;1413143561;8;Apache Maven WAR Plugin Version 2 5 Released;maven.40175.n5.nabble.com -3;1413133012;7;Any extensible Java based Cellular Automata engines;self.java -3;1413128323;8;JXTN LINQ extensions to Java 8 collections API;github.com -0;1413128163;2;Android Logic;self.java -13;1413119514;6;wollsmoth The unpleasantly pleasant Java obfuscator;bitbucket.org -73;1413114475;22;Do you know any fun projects in the open sorce that is written in Java and needs a helping pair of hands;self.java -0;1413111169;6;You shouldn t follow rules blindly;blog.frankel.ch -15;1413101072;12;Show r java Implementation of value based classes for JDKs 1 7;github.com -0;1413076077;3;Simple Android Question;self.java -36;1413056477;9;Spark Java A small and great Java web framework;sparkjava.com -6;1413043063;7;Single page menu with Spring MVC JSP;self.java -0;1413041316;6;Javamex Java tutorials and performance information;javamex.com -6;1413040269;6;Creating a simple JASPIC auth module;trajano.net -8;1413027572;6;The Heroes of Java Dan Allen;blog.eisele.net -1;1413024355;2;Dependency mediator;vongosling.github.io -43;1413022453;5;DL4J Deep Learning for Java;deeplearning4j.org -20;1413019655;8;Apache Commons Compress 1 9 Released 7zip fixes;mail-archives.apache.org -12;1413019584;6;Apache Tomcat 7 0 56 released;mail-archives.apache.org -5;1413018630;14;Xuggler easy way to uncompress modify and re compress any media file or stream;xuggle.com -0;1412994577;13;uniVocity parsers 1 1 0 released with TSV CSV and Fixed Width support;univocity.com -12;1412993462;8;Java threading library Threadly 3 0 0 released;self.java -1;1412991547;14;How can I include a library in my assignments and still have it compile;self.java -36;1412963281;10;Video JavaOne Keynote about Java 8 Java 9 and beyond;medianetwork.oracle.com -0;1412955233;9;My first very self made programm in java German;puu.sh -5;1412952690;7;Java chat app with sockets need help;self.java -6;1412951997;4;java net MulticastSocket Example;examples.javacodegeeks.com -2;1412950988;12;Nginx Clojure v0 2 6 released Fix bugs of dynamic proxying balancer;self.java -12;1412930968;4;GlassFish Tools for Luna;blogs.oracle.com -8;1412929605;6;looking for web mvc platform advice;self.java -2;1412924675;14;Bayou HttpServer v0 9 7 release supporting CONNECT method for acting as HTTPS proxy;bayou.io -0;1412904770;5;Import an entire classes methods;self.java -0;1412902229;5;Need help with switch method;self.java -65;1412892018;9;Google asks Supreme Court to decide Android copyright case;javaworld.com -1;1412879608;4;What is Typesafe Activator;typesafe.com -6;1412879484;8;How A Major Bank Hacked Its Java Security;darkreading.com -6;1412874130;6;Question about JBoss and Unit testing;self.java -41;1412865336;19;People that own Effective Java by Joshua Bloch How do you apply concepts to the actual code you write;self.java -0;1412860423;11;What is the simple way to repeat a string in Java;stackoverflow.com -6;1412853800;18;Fresh unzip of Eclipse 4 4 1 throws exception right away release happened without even starting it once;bugs.eclipse.org -14;1412840971;8;Who s using RoboVM x post r programming;blog.robovm.org -1;1412821357;11;java output to file problem Outputting chinese characters and inexplicable symbols;self.java -83;1412812247;9;3 Ways IBM is bringing GPU Computing to Java;devblogs.nvidia.com -8;1412807501;8;Infinispan 7 0 0 Candidate Release 1 Available;blog.infinispan.org -0;1412801448;3;Graphics in java;self.java -0;1412789648;15;Using Java 8 s Date and Time API for delaying failed tests after a refactoring;dzone.com -27;1412787682;11;I Wish Other Text Programs word Utilized Some IDE based features;self.java -16;1412786902;10;Interview with Java Stalwart Peter Lawrey Chronicle Stackoverflow and Performance;jclarity.com -10;1412786580;8;JavaOne Hazelcast Announces JCache Support amp JCP Run;infoq.com -1;1412777731;7;Code Snippet Mail Approvals with Spring Integration;blog.techdev.de -4;1412776337;6;Digraphs Dags and Trees in Java;stevewedig.com -0;1412774068;13;New to Java Taking AP Computer Science and I m lost Please help;self.java -1;1412756796;5;JavaOne 2014 Day One Notes;weblogs.java.net -13;1412750802;8;Alertify4J Better alerts and notifications for Java applications;github.com -1;1412735070;11;Is there a way to do anonymous arrays in Java 8;self.java -0;1412734908;21;New to this subreddit currently in an OOP course which focuses on Java Having a bit of a hangup help appreciated;self.java -2;1412726746;3;Java Development Environments;self.java -10;1412713611;12;SimpleFlatMapper 0 9 8 released Fast lightweight mapping from database and csv;github.com -3;1412684008;13;What is the best technique to learn Data Structures and Algorithms in Java;self.java -21;1412670874;9;What would your typical Java developer CV look like;self.java -15;1412670424;6;Weld 3 0 0 Alpha1 released;weld.cdi-spec.org -9;1412667441;4;PrimeFaces 5 1 Released;blog.primefaces.org -0;1412660249;1;NullPointerException;self.java -0;1412653122;8;Can I generate int variables with a loop;self.java -14;1412649793;9;What are some must learn libraries for game dev;self.java -0;1412633424;2;College project;self.java -0;1412614047;3;Black jack help;self.java -0;1412607588;9;Does setLenient false do anything when calling simpleDateFormat format;self.java -2;1412607532;9;Questions about FX based kiosks x post r javafx;self.java -11;1412589467;9;Thread pool configuration for inbound resource adapters on TomEE;robertpanzer.github.io -9;1412578751;9;j u Random sampling How to introduce targeted bias;self.java -2;1412554061;7;JSP Java and sending data on click;self.java -6;1412545147;8;should you concentrate on just one programming language;self.java -0;1412526151;9;Trouble with math arithmetic operators and the percent operator;self.java -0;1412524295;7;Apache XML Graphics Commons 2 0 Released;mail-archives.apache.org -35;1412520579;11;Best NLP Natural Language Processing Solution in Java preferrably Open Source;self.java -0;1412520201;45;I have created a very basic digital diary there is still a lot to adjust but I decided to release it today I did this to see my skills at programming in Java but it seems that I still need to work on my GUI;filedropper.com -7;1412508010;7;RichFaces 4 5 0 CR1 Release Announcement;bleathem.ca -0;1412504897;16;What s the difference between a private method and a public method defined within a class;self.java -6;1412503701;16;Data from 2 or more database tables to one Java object JdbcTemplate How to implement it;self.java -0;1412495904;12;List of Must Knows and ToDos When Migrating To IntelliJ From Eclipse;sdchang.com -3;1412491622;4;Checkstyle errors in Java;self.java -1;1412486148;9;Re Java Co op Interview Showing off Project Code;self.java -2;1412474057;13;Benchmarking every working CSV parser for Java in existence x post from programming;github.com -6;1412459159;5;Which weaknesses does JSF have;self.java -1;1412456453;10;Does the java compiler javac optimize a large boolean array;self.java -9;1412451901;8;REST API Visualizer for any java REST frameworks;apivisualizer.cuubez.com -74;1412434905;17;What should a programmer really know and or have experienced before attaining the title senior software engineer;self.java -8;1412431363;8;Using Raygun and Proguard There and Back again;spacecowboyrocketcompany.com -3;1412430393;14;Can you provide an example where you used Adapter Design Pattern in your project;self.java -0;1412426725;8;do i really need java on Windows 7;self.java -1;1412425675;9;How to download Eclipse for Mac OSX 10 6;self.java -0;1412410556;8;lisztomania Get percentage based sub lists of Lists;github.com -23;1412409254;9;Announcing Jetty 7 and Jetty 8 End of Life;jetty.4.x6.nabble.com -0;1412392759;19;Newbie Is there an animation tool to display how your Java code works as it executes A visual compiler;self.java -0;1412383868;6;Help with making a simple table;self.java -21;1412358367;10;Can anyone recommend a good IDE for a beginner programmer;self.java -1;1412357008;12;Anyone know a great Java String parsing Library for extracting Image Links;self.java -0;1412350973;10;Detecting Roots in a Graph and a challenge Freenode java;javachannel.org -4;1412350099;11;Rant Is Java community any good Better than PHP at least;self.java -0;1412348944;15;Writing a program that shows busy or available status for techs on a local network;self.java -1;1412340297;6;Help with time zones and conversions;self.java -2;1412327504;7;O R like mapping to Hashmaps framework;self.java -0;1412324100;17;Migrating 3 million cities into your database in around a minute with the uniVocity data integration framework;github.com -35;1412321867;18;Are you looking for a Xml free open source Java rules engine Take a look at Easy Rules;easyrules.org -7;1412296052;6;Reducing the frequency of GC pauses;plumbr.eu -18;1412288623;20;When importing assets to Java why not just import the all inclusive asterisk everytime Is it to save memory space;self.java -0;1412274647;1;Arrays;self.java -3;1412271365;6;Architecting a servlet app for scalability;self.java -25;1412265985;8;CERT Java Coding Guidelines Now Available Free Online;securecoding.cert.org -28;1412265691;21;Java SE 8 Update 20 no Medium security setting anymore Applies to RIAs unsigned applications that request all permissions are blocked;java.com -12;1412262005;15;CDI Properties on GitHub Leverage resource bundle management in your CDI enabled Java EE application;github.com -7;1412253665;6;Classpath scanning with Spring Eclectic Logic;eclecticlogic.com -10;1412248881;6;The path to cdi 2 0;slideshare.net -1;1412247746;14;Im missing something very simple with Maven and it making me rage now help;self.java -13;1412224412;6;Apache Tomcat 8 0 14 available;mail-archives.apache.org -3;1412224376;7;Apache Maven Changes Plugin 2 11 Released;maven.40175.n5.nabble.com -1;1412211000;3;Casting objects explicit;self.java -0;1412194743;53;Noob After only a 2 hours lesson in school with Java I managed to make a fully functioning bot in less than 15 minutes qhen I got home an hour later without any help Java really is an easy language This year is going to be so much fun X post r pcmasterrace;i.imgur.com -1;1412193467;9;Are there any free resources to program Android apps;self.java -2;1412193105;20;I have trouble being purely object oriented when I use EJBs and JPA Is there a solution to this problem;self.java -3;1412189126;8;gson vs json simple for simple data transmission;self.java -39;1412170475;18;A good explanation of working with floats in Java Why does adding 0 1 multiple times remain lossless;stackoverflow.com -12;1412166727;16;Are you making sure you have your permissions manifest and code signing done in your JARs;oracle.com -26;1412158066;10;Project Valhalla Notes about Valhalla from a non Java perspective;mail.openjdk.java.net -0;1412148666;5;How to start learning DI;self.java -0;1412138957;5;Apache Cayenne ORM 3 1;markmail.org -1;1412138381;6;Easy rules In memory rules engine;speakerdeck.com -0;1412126767;4;help with a homework;self.java -2;1412123936;31;So I had to make a town for geometry My teacher told it s to be creative so I used java as a topic I hope I get a good grade;imgur.com -15;1412113555;8;Your top 3 design patterns for daily use;self.java -4;1412109040;10;Why does Oracle s Java com still recommend Java 7;self.java -2;1412101332;9;How many java time zones follow the same rules;self.java -5;1412098297;5;Front end developer learning Java;self.java -9;1412097982;6;PrimeFaces Elite 5 0 10 Released;blog.primefaces.org -1;1412090160;6;Anyone have experience using Play Framework;self.java -2;1412086367;8;Reasons to stick with Java or dump it;infoworld.com -3;1412073811;7;Does containers cause overhead in Java EE;self.java -0;1412070588;6;Java EE 8 on its way;zishanbilal.com -0;1412068356;4;Help with changing _JAVA_OPTIONS;self.java -11;1412065556;11;Oracle highlights continued Java SE momentum and innovation at JavaOne 2014;oracle.com -1;1412024328;8;How to manually generate a serialVersionUID with Eclipse;self.java -2;1412018516;13;Java Weekly 13 Everything Java real Java EE new config JSR and more;thoughts-on-java.org -56;1412018216;6;libGDX wins Duke s Choice Award;badlogicgames.com -5;1412000148;17;Eclipse Debug Step Filtering Found out about this today so handy when debugging code that uses reflection;java.dzone.com -71;1411995862;9;Eclipse 4 4 SR1 once again completely silently released;jdevelopment.nl -0;1411994808;10;Book Or Open Source Project To Learn Spring Best Practicies;self.java -0;1411953130;4;Converting Decimals to Time;self.java -2;1411949560;15;Java Question regarding new keyword and accessing classes in project Difference between same resultant code;self.java -4;1411936575;4;LonelyPlanet lighting in LWJGL;youtube.com -5;1411935984;5;JavaOne 2014 Keynote Live Streaming;oracle.com -38;1411935763;6;Welcome to JavaOne 2014 Opening Video;youtube.com -10;1411931290;6;Attending JavaOne Check this guide directory;javaone-2014.zeef.com -12;1411919230;9;OpenJDK project opens up Java 9 to collaboration experimentation;infoworld.com -18;1411916780;7;Safe Publication and Safe Initialization in Java;shipilev.net -5;1411911116;3;My First Program;self.java -53;1411898208;15;Oracle Labs releases a technology preview of its high performance GraalVM and Truffle JavaScript project;oracle.com -0;1411870480;9;My first completed Java project Pretty useful for men;self.java -0;1411812523;9;New to java Need some help with If statements;self.java -4;1411808920;2;Javadoc problem;self.java -6;1411774633;7;Apache Jackrabbit Oak 1 0 6 released;mail-archives.apache.org -0;1411774451;8;Help Need some help figuring out my code;self.java -8;1411774363;19;restCommander Fast Parallel Async HTTP client as a Service to monitor and manage 10 000 web servers Java Akka;github.com -0;1411773375;16;SmartFrog powerful and flexible Java based software framework for configuring deploying and managing distributed software systems;smartfrog.org -4;1411773090;9;Java Pesistence like API for the Active Record pattern;github.com -1;1411772693;5;Tapestry 5 4 beta 22;tapestry.apache.org -0;1411752758;6;Help with templating in Jersey 2;self.java -23;1411746726;13;As an IT contractor what should I know and ask about my contract;self.java -20;1411745562;7;Java Operator Overloading give it some love;amelentev.github.io -0;1411743632;8;Importing frameworks into eclipse Specifically the JZY3d framework;self.java -0;1411734929;6;JAVA SWING GUI PROGRAMMING TUTORIAL SERIES;youtube.com -2;1411724275;9;JBoss EAP Wildfly Three ways to invoke remote EJBs;blog.akquinet.de -16;1411705011;7;Pros and Cons of Application Plugin Development;self.java -0;1411699511;9;Binary Tree 20 Questions Like Game Using Binary Tree;self.java -3;1411695832;15;writing a small program assignment in java using dr java issue with the program running;self.java -0;1411690934;5;Recursion in Game of Nim;self.java -0;1411685728;10;My first java program in two years No tutorials used;self.java -4;1411679784;6;Apache MINA 2 0 8 release;mail-archives.apache.org -3;1411679642;6;RunDeck Job Scheduler and Runbook Automation;rundeck.org -9;1411679122;9;SimpleFlatMapper 0 9 4 with QueryDsl support and CsvMapper;github.com -1;1411670791;5;Intelligent Mail Barcode Native Encoder;bitbucket.org -9;1411669647;10;I m not sure I understand what Java Pathfinder is;self.java -9;1411665652;3;Open source suggestions;self.java -2;1411661612;5;Spring Boot and STS Gradle;self.java -16;1411656492;11;What are some solutions to The Codeless Code Case 83 Consequences;thecodelesscode.com -27;1411651213;44;Some time ago I stumbled upon a server side tool that could track and monitor exceptions and show you the source code and where the exception was thrown from in a well presented manner and nice UI Does anybody remember what it was called;self.java -1;1411649140;14;Introducing frostwire jlibtorrent a Java based libtorrent wrapper API by the makers of FrostWire;frostwire.wordpress.com -3;1411640199;5;Anyone has experience with Netty;self.java -0;1411630615;8;Java parser that parses java files Yo dawg;self.java -0;1411629626;17;I need a Java event listener that will call a function whenever a text input is changed;self.java -1;1411601547;7;Is this a pattern If so which;self.java -0;1411600400;17;for System out println jdjdjjdd Why does this work And more importantly Why does this cause flashing;self.java -8;1411591580;16;Java amp FFMPEG Youtube Video downloading meta search normalization silence removal and coverting from 150 sites;github.com -1;1411580646;6;Unit testing lambda expressions and streams;java8training.com -5;1411572068;7;Watching HotSpot in action deductively Freenode java;javachannel.org -47;1411569820;6;A Short History of Everything Java;zeroturnaround.com -3;1411567871;6;Is any of you using jcenter;self.java -10;1411564469;11;Worth waiting until IntelliJ IDEA 14 before buying a personal licence;self.java -5;1411559837;7;Jackson use custom JSON deserializer with default;self.java -4;1411548022;6;Fast XML Parser gt MySQL DB;self.java -0;1411547282;16;New to Java and want to know where is the best free resource to learn it;self.java -0;1411534247;4;Intro to java question;self.java -0;1411525341;5;New to Java quick question;self.java -0;1411511821;5;ICEpdf 5 1 0 released;icesoft.org -20;1411502727;10;Reduce Boilerplate Code in your Java applications with Project Lombok;mscharhag.com -142;1411494272;7;JetBrains Makes its Products Free for Students;blog.jetbrains.com -0;1411493924;8;Fastest way to learn the essentials in Java;self.java -5;1411473382;7;Everything about Java EE 8 fall update;javaee8.zeef.com -1;1411467622;4;JBoss EAP JNDI Federation;blog-emmartins.rhcloud.com -35;1411460370;6;Java EE 8 JSRs Unanimously Approved;blogs.oracle.com -0;1411444071;14;Is there a way to link arrays or lists in parallel to one another;self.java -0;1411442499;5;java help for converting temperature;self.java -0;1411437759;23;Learning Java just started If I want to review the documentation should I download the docs for JDK 7 JDK 8 or both;self.java -8;1411436435;8;Does anyone here know how to use Lanterna;self.java -0;1411434246;2;First Program;self.java -0;1411433371;13;Dragging images into the eclipse project tree turns file into text file help;self.java -0;1411426511;26;So I built a great database in MS Access and now I want to make it in Java but I have no clue where to start;self.java -0;1411426360;3;Best book guides;self.java -6;1411419381;8;Apache Maven Dependency Plugin Version 2 9 Released;maven.40175.n5.nabble.com -0;1411414328;6;Modern java approaches to web applications;self.java -0;1411401176;5;Modern Java Approval Testing port;github.com -14;1411395274;7;Core Support for JSON in Java 9;infoq.com -8;1411391173;11;Java Weekly 12 JavaEE Boot Java 9 functional programming and more;thoughts-on-java.org -3;1411389856;5;Updating a JProgressBar Freenode java;javachannel.org -101;1411377872;9;Move help wanted questions to javahelp yay or nay;self.java -8;1411371308;5;PrimeFaces 5 1 RC1 Released;blog.primefaces.org -3;1411370370;8;How to Access a Git Repository with JGit;codeaffine.com -0;1411370316;4;Make a project online;self.java -15;1411363064;14;Everything You Never Wanted to Know About java util concurrent ExecutorService But Needed To;blog.jessitron.com -0;1411355432;3;Help a beginner;self.java -0;1411350493;23;Any way when using java swing to force a popup of a gif on focus lost if it doesn t meet certain requirements;self.java -0;1411333109;6;Quick question about decimals in java;self.java -0;1411320572;7;Help with a piece of my coding;self.java -0;1411316955;10;Does anyone know why this code is giving me errors;self.java -21;1411311359;12;Unit testing and Date equality how Joda Time helps and alternative approaches;resilientdatasystems.co.uk -0;1411305815;11;I need help with a project that I have in mind;self.java -14;1411304119;5;Apache Tez cluster on Docker;blog.sequenceiq.com -0;1411294822;29;H ng d n h c l p tr nh Java t c b n n n ng cao seri h c l p tr nh hi u qu;cafeitvn.com -0;1411290521;7;Question about Inheriting Data Fields and getters;self.java -42;1411289076;7;Software Engineer by Day Designer by Never;blog.aurous.me -12;1411282128;9;Will Double parseDouble always return the same exact value;self.java -0;1411270877;2;Constructor Parameters;self.java -0;1411266795;21;Hello I have 2 lines reader close and writer close and in Eclipse it ways they cannot resolve Why is this;self.java -6;1411250303;20;I made a Java program that combines random picture of Gary Busey with a random Nietzche quote You re welcome;github.com -0;1411245189;9;So whatever happened to that security issue with Java;self.java -0;1411242478;16;What is wrong with my if else statement Seems to be ignoring on of my statements;self.java -0;1411240238;7;Library Feedback Statically typed SI Unit Conversion;self.java -0;1411235350;9;Trying to force the user to enter a number;self.java -0;1411230545;6;Java Variables Examples 1 Instance Variables;lookami.com -0;1411212420;6;Real life applications of Data Structures;self.java -0;1411206393;9;Do subclasses inherit the data fields of the superclass;self.java -0;1411170533;9;never programmed before and having trouble with java math;self.java -0;1411140094;5;Lemon Class Missing a Method;self.java -0;1411139837;20;One of my bests programs Converter I ll add more stuff to convert in a future More info in comments;github.com -9;1411139731;10;What every Java developer needs to know about Java 9;radar.oreilly.com -52;1411139025;6;Happy talk like a pirate day;self.java -0;1411138457;9;WTF Java Why not overload for java lang Long;stackoverflow.com -0;1411131190;19;Anyway I can pass a List of my Objects and my Object as a parameter using the same parameter;self.java -10;1411086966;8;4 Security Vulnerabilities Related Coding Practices to Avoid;vitalflux.com -10;1411077004;6;Transitioning from C WPF to Java;self.java -8;1411075806;13;modernizer maven plugin detects use of legacy APIs which modern Java versions supersede;github.com -4;1411075742;6;Cate Continuation based Asynchronous Task Executor;github.com -126;1411074906;9;12 Java Snippets you won t believe actually compile;journeyofcode.com -2;1411071279;12;AngularJSF Does combining Angular and JSF create a princess or a monster;theserverside.com -0;1411070360;26;Stack and Queue in Java I know what they are in theory but I don t why to use them why they are useful to know;self.java -0;1411069093;13;Here s some code for some awesome random lines No expo class XD;self.java -0;1411067725;10;Espresso in chocolate dipped waffle cup Bite into your java;usatoday.com -6;1411066724;10;Spotlight on GlassFish 4 1 3 Changing the release number;blogs.oracle.com -2;1411063076;13;limit exposure to a dependency while still providing access to a common function;self.java -11;1411055921;9;Overview of JBoss EAP Wildfly Management Interfaces and Clients;blog.akquinet.de -0;1411039314;3;Help with DataInputStream;self.java -7;1411037728;7;Configuration can do wonders to your throughput;plumbr.eu -14;1411028790;14;10 Reasons Why Java Rocks More Than Ever Part 3 amp 8211 Open Source;zeroturnaround.com -0;1410994780;3;java Math Sqrt;self.java -2;1410989326;3;Static class reference;self.java -7;1410988904;5;Java EE Configuration JSR Deferred;blogs.oracle.com -3;1410986276;6;generating password digest for ws security;self.java -8;1410983640;3;Replicating Reference parameters;self.java -6;1410976656;7;WalnutiQ Biologically inspired machine learning in Java;github.com -1;1410975968;10;Best way for a beginner to learn Programming especially java;self.java -18;1410974155;4;Advantages Disadvantages of WebSphere;self.java -8;1410972839;18;Eclipse and Egit users Do you create your repos in the project parent folder or home yourname git;self.java -17;1410970078;6;Infinispan 7 0 0 Beta2 Released;blog.infinispan.org -12;1410967117;6;Dependency Injection with Java 8 Features;benjiweber.co.uk -6;1410957747;13;Release dates for bXX releases of Java such as 7u67 b33 if any;self.java -15;1410954179;8;Implementing container authorization in Java EE with JACC;arjan-tijms.omnifaces.org -8;1410953978;13;Java intellij debugging question Comparing object snapshots between test runs Is it possible;self.java -13;1410953737;5;Core java questionnaire for experienced;self.java -1;1410951484;7;Taint tracking protects from unvalidated input vulnerabilities;waratek.com -9;1410949078;8;JPA s FETCH JOIN is still a JOIN;piotrnowicki.com -52;1410943373;10;Why String replace in a loop is a bad idea;cqse.eu -9;1410943128;7;HZ 3 3 Client Performance Almost Doubled;blog.hazelcast.com -0;1410939603;8;What is the need for Atomics in java;self.java -30;1410932038;6;Anyone doing NFC programming in Java;self.java -0;1410928633;12;How we write unit test against database in a Spring based application;esofthead.com -0;1410922987;10;Best sorting algorithm for a relatively small group of numbers;self.java -12;1410922784;11;What is an anonymous inner class and why are they useful;self.java -0;1410910969;4;Moving Object Towards Mouse;self.java -7;1410908932;7;Detecting JSF Session Bloat Early with XRebel;zeroturnaround.com -1;1410906038;14;A really stupid question that I m just absolutely stuck on int vs double;self.java -15;1410880123;7;An example project on Tomcat using JNDI;javachannel.org -47;1410879311;10;Videos from 146 JavaZone talks 6 000 hours of video;2014.javazone.no -5;1410877812;3;Primitive Copy Generators;self.java -2;1410877474;8;help with ZooKeeper s wrapper Curator amp JUnit;self.java -44;1410861209;4;Java 9 Features list;self.java -6;1410859233;6;must know library pattern methodology frameworks;self.java -1;1410850985;4;Karel J Robot help;self.java -14;1410849755;6;Interview tomorrow expecting assessment any tips;self.java -0;1410837162;7;How to make a graph in lwjgl;self.java -2;1410835620;4;Scalable Web App Q;self.java -0;1410830408;6;Need some help with my Homework;self.java -0;1410829407;11;Could someone explain to me the evolution of Java web technologies;self.java -0;1410824553;10;No Errors But My Code Still Won t Output Anything;self.java -6;1410820081;9;Getting the target of value expressions in Java EE;arjan-tijms.omnifaces.org -20;1410818795;6;WildFly 9 0 0 Alpha1 Released;lists.jboss.org -5;1410818359;4;Java 8 upgrade survey;survey.qualtrics.com -5;1410785948;12;What s New in Java The Best Java Resources Around the Web;javais.cool -6;1410781746;13;Monitoring the JBoss EAP Wildfly Application Server with the Command Line Interface CLI;blog.akquinet.de -0;1410779135;8;What is Encapsulation and Why we need it;prabodhak.co.in -10;1410779064;13;Java Weekly 11 Missing stream method Java 9 overview lost updates and more;thoughts-on-java.org -36;1410767265;11;Java 8 Not Just For Developers Any More Henrik on Java;blogs.oracle.com -16;1410766339;10;LightAdmin Pluggable CRUD administration UI library for java web applications;lightadmin.org -1;1410761793;5;Another valid Open Closed principle;blog.frankel.ch -6;1410755754;10;What are some good intermediate open source programs to review;self.java -2;1410747044;5;Any help would be appreciated;self.java -11;1410716257;12;Netbeans IDE running very slow and laggy how can I fix this;self.java -0;1410712609;14;Anyone have any working java code to log into facebook not using their api;self.java -3;1410704947;7;Quickest way to setup Java dev environment;self.java -0;1410692485;13;Pluggable UI library for runtime logging configuration in Java web application Spring WebSockets;la-team.github.io -0;1410690155;13;is there any website that can teach me open source software s code;self.java -4;1410690083;6;JSF 2 2 HTML5 Cheat Sheet;beyondjava.net -0;1410689703;7;Mutable keys in HashMap A dangerous practice;java-fries.com -0;1410688318;12;Pluggable UI library for runtime logging level configuration in Java web application;github.com -3;1410660302;4;Design Pattern Bussines Delegate;self.java -9;1410646965;7;Scared to Apply for Java Co op;self.java -0;1410634015;6;My Java MMO First Java Game;self.java -0;1410632115;5;Is C Java made right;self.java -2;1410609079;6;Apache OFBiz 12 04 05 released;mail-archives.apache.org -2;1410600957;12;Liberty Java EE 7 beta now implements Java Batch and Concurrent specs;developer.ibm.com -0;1410600437;7;RichFaces 4 5 0 Beta2 Release Announcement;bleathem.ca -16;1410583105;8;Tips for learning java having trouble in classroom;self.java -29;1410559915;6;BalusC joins JSF 2 3 EG;jdevelopment.nl -2;1410549406;9;Help with organizing this snippet More info in comments;gist.github.com -3;1410543061;5;A Question About Background Processes;self.java -0;1410535143;16;I have installed and re installed Java 3 times now and it s still not verifying;self.java -21;1410533178;13;Why do you instantiate local variables on a separate line from the declaration;self.java -6;1410532029;12;What is the purpose of having upper bounded wildcard in Collection addAll;self.java -4;1410530250;12;Moving past Java towards front end web interfaces which direction to take;self.java -1;1410529637;5;Looking to get into Programming;self.java -19;1410526102;13;My first Maven published lib a set of Hamcrest matchers for java time;github.com -7;1410521607;8;How JSF works and how to debug it;blog.jhades.org -2;1410519035;10;TomEE Security Episode 1 Apache Tomcat and Apache TomEE S;tomitribe.com -4;1410485778;3;separation of concerns;self.java -9;1410485584;3;Multi Computer Develoment;self.java -55;1410484318;8;Do Java performance issues exist in modern development;self.java -0;1410479013;4;Convert string to int;self.java -7;1410469463;9;Best practices deploying java ears on websphere and tomcat;self.java -2;1410466453;9;Java COM bridge advice implementing excel RDT in java;self.java -6;1410428399;10;How does REST and SOAP web services actually work internally;self.java -2;1410426731;9;What is the alternative to Web Services JSP Swing;self.java -32;1410423725;4;Lambda for old programmers;self.java -2;1410420214;10;Issues with eclipse in two environments PC amp amp OSX;imgur.com -1;1410419085;6;Interacting with a specific object instance;self.java -0;1410417913;1;HELP;self.java -0;1410398215;7;Best books to study for Java Certifications;self.java -6;1410398073;6;What s next after basic Java;self.java -5;1410380483;14;SimpleFlatMapper v0 9 1 released JdbcTemplate support complex object and list mapping lambda support;github.com -2;1410377272;9;Need help with Applet loading an image in browser;self.java -0;1410376251;3;Java Result 1073741819;self.java -3;1410365112;9;Data Pipeline 2 3 4 includes Twitter search endpoint;northconcepts.com -16;1410364298;11;Using Spring MVC with JRebel Adding and autowiring beans without restarting;zeroturnaround.com -0;1410361164;8;Java is good but i dont know how;self.java -3;1410358711;2;Generics question;self.java -7;1410352143;9;When the Java 8 Streams API is not Enough;blog.jooq.org -8;1410351711;13;What is the best component library to start off with when learning JSF;self.java -15;1410342858;7;Simple Fuzzy Logic Tool for Java 8;github.com -5;1410342368;4;Typeclasses in Java 8;self.java -12;1410338507;7;JUnit in a Nutshell Unit Test Assertion;codeaffine.com -5;1410336688;7;Would like my code to be reviewed;self.java -21;1410334750;13;Hazelcast 3 3 Tops Charts in In Memory Data Grid Moves Into NoSQL;blog.hazelcast.com -6;1410312025;7;Apache DeltaSpike 1 0 2 is out;deltaspike.apache.org -12;1410307314;14;Trying to get up the Java EE learning curve need help getting past tutorials;self.java -2;1410303642;31;Whenever i try to use setRequestProperties to set cookies i just got from a URLConnection the compiler gives me gives me an already connected error message how do i fix this;self.java -5;1410297295;7;Programmers could get REPL in official Java;javaworld.com -2;1410295374;13;Did anyone already do DDD using a graph database like Neo4J as storage;self.java -0;1410293795;17;Know of a company in Europe that will sponsor an American Java Developer for a work visa;self.java -6;1410289509;5;Does Java have this functionality;self.java -3;1410289458;8;Ideal path for mobile development for Java developers;self.java -0;1410282043;9;Java C falter in popularity but still in demand;infoworld.com -31;1410280725;10;GlassFish Server Open Source Edition 4 1 Released The Aquarium;blogs.oracle.com -3;1410269129;15;Java Annotated Monthly Large overview and discussion of Java related news from the previous month;blog.jetbrains.com -13;1410268550;7;JavaOne what are your must attend sessions;oracleus.activeevents.com -1;1410268179;17;Java developers with network experience needed for open source MMO development platform x post from r gameDevClassifieds;self.java -2;1410266753;6;First Class Functions in Java 8;java8training.com -1;1410257972;5;Ideal way to exercise java;self.java -3;1410257215;20;Need help with uploading multiple files with Jersey I ve searched all over the place but cannot find a solution;self.java -8;1410255900;8;JAVA question about error handling and root cause;self.java -0;1410250380;7;RichFaces 4 5 0 Beta1 Release Announcement;bleathem.ca -0;1410243527;12;We re looking for Java devs sidebar did say anything Java related;eroad.com -18;1410235816;5;Java Optimizations and the JMM;playingwithpointers.com -0;1410233702;16;I don t know where to turn to need help with my first hello world assignment;self.java -4;1410212989;10;How do I get input from a USB video device;self.java -1;1410212099;5;need help with java code;self.java -2;1410211881;7;I need some help with a program;self.java -4;1410208955;12;How JSF Works and how to Debug it is polyglot an alternative;blog.jhades.org -8;1410204479;13;Hazelcast 3 3 released an Open Source in memory data grid for Java;hazelcast.org -34;1410203483;9;How good is Java for game development these days;self.java -50;1410193926;18;Aurous My attempt at an open source alternative to Spotify which allows for instant streaming from various services;github.com -12;1410189072;5;Performance Considerations For Elasticsearch Indexing;elasticsearch.org -3;1410187690;4;Someone creative needed please;self.java -14;1410187051;9;What s your biggest pain developing Java web apps;self.java -8;1410185041;7;Program a game in half a year;self.java -9;1410182208;5;Java Annotated Monthly September 2014;blog.jetbrains.com -3;1410181943;11;walkmod an open source tool to apply and share code conventions;walkmod.com -8;1410179552;9;How to execute a group of tasks with ExecutorService;javachannel.org -37;1410172603;9;Job interviews Does everyone but me actually know everything;self.java -11;1410169428;11;Java Weekly 10 Concurrency no config JSR MVC JCP and more;thoughts-on-java.org -5;1410165181;6;PrimeFaces Elite 5 0 8 Released;blog.primefaces.org -11;1410155340;13;LightAdmin Pluggable CRUD administration UI library for java web applications powered by SpringBoot;lightadmin.org -3;1410149144;7;Recommendations for structuring a library for distribution;self.java -23;1410147094;7;Building and Deploying Android Apps Using JavaFX;infoq.com -0;1410132992;8;First practical and or relatively large java project;self.java -13;1410127472;12;On Memory Barriers and Reordering On The Fence With Dependencies Java Performance;shipilev.net -2;1410116667;12;Migrating Google Calendar API from v2 to v3 I m completely lost;self.java -1;1410114794;6;Java GUI SWT Application gt Website;self.java -0;1410114302;9;programming Binary Sudoku in Java live on Twitch tv;twitch.tv -4;1410085409;9;Java Programming Can anyone suggest projects for beginning programmers;self.java -24;1410084900;9;Java puzzle NullPointerException when using Java s conditional expression;self.java -9;1410077844;10;Book Recommendation Java 8 In Action Great functional programming read;self.java -25;1410057576;7;Programmers could get REPL in official Java;m.infoworld.com -4;1410048702;4;Basic Iterators and Collections;self.java -12;1410045694;8;Hazelcast JCache API is more than just JCache;blog.dogan.io -1;1410035544;10;Which of these could be the best source for learning;self.java -9;1410029347;9;Casting to an interface different from casting between classes;self.java -5;1410025386;4;Very basic help needed;self.java -4;1410015359;4;Easy theming with Valo;morevaadin.com -0;1410008102;5;Easy run of Maven project;blog.mintcube.solutions -0;1409997249;4;Should I learn HTML5;self.java -6;1409992836;4;JSF conditional comment encoding;leveluplunch.com -1;1409974512;7;Using repaint and where to call it;self.java -2;1409972516;13;How valid is the statement write once debug everywhere by some Java users;self.java -0;1409972095;3;Netbeans to Desktop;self.java -14;1409959426;1;Encryption;self.java -5;1409957295;3;Preferred program formatting;self.java -0;1409953144;22;8 gigs of ram but 32bit only lets me use 1g I have 84bit Windows does java for 84 solve this issue;self.java -50;1409938172;8;In memory NIO file system for Java 7;github.com -12;1409933243;8;Getting started with RabbitMQ using the Spring framework;syntx.io -2;1409932417;12;Suggestion for a distributed database which is simple secure and open source;self.java -1;1409930628;3;Spring WebMVC resource;self.java -4;1409925672;3;Caveats of HttpURLConnection;techblog.bozho.net -2;1409923130;6;New ultrabook 1920x1080 touchscreen Windows 8;self.java -2;1409920384;7;Java Programming What should I do now;self.java -3;1409913730;15;Why are Marker interfaces required at all Does JVM process these in a different manner;self.java -35;1409904591;4;Coursera Algorithms Part I;coursera.org -6;1409903574;5;Java E Books For Beginners;self.java -9;1409900216;28;What is the need to write your own exceptions Anyway we are extending the Exception we can as well throw the custom exception as a general exception right;self.java -40;1409886226;22;I have been working on a Reddit API wrapper in Java for the past few months How can I make it better;github.com -4;1409884156;11;Anyone know how to switch between Java versions in Windows 7;self.java -6;1409851077;16;Looking for updated info Which inexpensive CA to use for code signing trusted by Java 7;self.java -49;1409845886;12;Spring Framework 4 1 introduces JMS jCache SpringMVC WebSocket features better performance;spring.io -1;1409845760;11;Java object oriented coding style Which one is preferred and why;self.java -1;1409845594;9;Whiley Final should be Default for Classes in Java;whiley.org -7;1409834234;8;Stats about memory leaks size velocity and frequency;plumbr.eu -1;1409826995;13;My first Java Program Need someone to quickly read over it before submitting;self.java -18;1409822984;7;JVM Language Summit 2014 Videos and Slides;oracle.com -24;1409798778;10;What are some online courses for java similar to codeacademy;self.java -5;1409794354;20;Wondering what the r java community perceives to be the advantages or disadvantages of developing in java vs NET C;self.java -6;1409787591;10;How do I interface my Java program with an Arduino;self.java -1;1409786533;20;X Post from JavaHelp DnD using custom drag types into an FXCanvas Java 8 FX 2 2 SWT 4 4;self.java -1;1409783416;7;Anyone have some simple examples showing networking;self.java -0;1409782295;36;OK PEOPLES Need help on taking an external text document parsing the first two integers as a 2d array location and then using the final bit nextLine as a string that goes into that array location;self.java -0;1409777373;7;After 13 years JCache specification is complete;sdtimes.com -28;1409772768;20;What does r Java think about JRebel and do its features justify the 360 per year price for Indie development;self.java -1;1409771140;3;Learning more java;self.java -0;1409767947;5;How do i learn Java;self.java -3;1409765859;8;How to make a connection and send data;self.java -0;1409764511;10;Do you have an interesting idea for open source project;self.java -0;1409761649;7;DEBUG YOUR JAVA APPLICATION WITH ECLIPSE IDE;prabodhak.co.in -7;1409758460;12;Using XRebel to fix Spring JDBC Templates N 1 SQL SELECTs Issues;zeroturnaround.com -0;1409755114;5;Why Should I Learn Scala;toptal.com -14;1409754976;8;After 13 years JCache specification is finally complete;sdtimes.com -2;1409748711;7;Remote debugging in Red Hat JBoss Fuse;blog.andyserver.com -8;1409747045;5;PrimeFaces 5 1 Video Trailer;vimeo.com -28;1409746135;7;Apache Log4j 2 0 Worth the Upgrade;infoq.com -2;1409739890;7;Writing compact Java with functions and data;dev.solita.fi -22;1409730553;6;JUnit in a Nutshell Test Runners;codeaffine.com -22;1409718642;12;When to use Java SE 8 parallel streams Doug Lea answers it;gee.cs.oswego.edu -7;1409713436;10;A cool syntax example with lambda expressions and functional interfaces;self.java -3;1409706539;10;I m getting a registry error when downloading the JDK;self.java -0;1409703677;29;I m working on a project where I will need an open sourced game Is Java the right language to be looking in or should I look else where;self.java -3;1409698624;21;I m on a quest for an error through mountains of Java and I have no idea what I m doing;self.java -21;1409679300;7;Why another MVC framework in Java EE;oracle.com -38;1409678446;14;Protonpack a Streams utility library for Java 8 supplying takeWhile skipWhile zip and unfold;github.com -47;1409654420;12;I just can t start to understand what lambdas and closures are;self.java -0;1409635865;8;Why NetBeans IDE is Great for Teaching Java;netbeans.dzone.com -0;1409607297;17;Help New to NetBeans and Win8 when I run my program a dialog box doesn t open;self.java -2;1409601933;7;Need help finding a dynamic graphing library;self.java -54;1409599748;7;Predicting the next Math random in Java;franklinta.com -0;1409597523;9;Haha a wonderful Game of Thrones parody for Java;youtube.com -3;1409590124;7;Jar file not running on other machines;self.java -14;1409588048;11;JHipster the Yeoman generator for Spring AngularJS reaches version 1 0;jhipster.github.io -15;1409580315;9;Explain Android development like I am a Java developer;self.java -3;1409579376;13;Java Weekly 9 Money retired DTOs JSR for MVC JDK tools and more;thoughts-on-java.org -2;1409578752;8;SimpleFlatMapper fastest lightweight no configuration ORMapping for java;github.com -1;1409575388;8;What Maven dependency do you use for JTidy;self.java -6;1409565828;12;A good chance to learn or refresh basic JAVA terms and concepts;sharplet.com -4;1409565432;9;Nashorn bug when calling overloaded method with varargs parameter;stackoverflow.com -13;1409564790;9;Major Java events in September JavaOne JavaZone and SpringOne;java2014.org -10;1409562391;6;Travis Continuous Integration for GitHub Projects;codeaffine.com -17;1409559604;9;Liberty beta now implements most Java EE 7 features;developer.ibm.com -0;1409544850;13;Getters and setters considered evil counter to OOP and should be used sparingly;javaworld.com -7;1409537192;3;OO Problem Statements;self.java -3;1409530498;10;How do I get an older update of Java 8;self.java -4;1409526750;12;Watch me make Snake in Java live on Twitch using best practices;twitch.tv -5;1409525377;7;Making a 3D map from an image;self.java -0;1409515271;2;HELP ME;self.java -18;1409512912;8;Differences between Java on Win and OS X;self.java -8;1409512309;8;In browser widget to monitor java application performance;stagemonitor.org -7;1409511255;7;What Java IDE should I switch to;self.java -6;1409506595;13;Eclipse 4 4 Windows 8 1 taskbar issues x post from r eclipse;self.java -10;1409505202;19;Is it considered better practice for a class to use its own getter and setter methods in other methods;self.java -0;1409503752;4;Fixing Java language anyone;self.java -9;1409493938;6;Using exceptions when designing an API;blog.frankel.ch -0;1409486898;3;Basic Java Worksheet;i.imgur.com -14;1409485503;5;Fast API testing with Restfuse;blog.mintcube.solutions -3;1409442321;11;Looking for some fellow Java beginners to skype text only with;self.java -6;1409414981;3;Eclipse installation question;self.java -2;1409412986;6;Basic Symmetric Encryption example with Java;syntx.io -0;1409406097;15;Java program to change the color of the circle if I click on to it;self.java -5;1409404293;7;Clean HTML from XSS or malicious input;self.java -8;1409392405;9;Setting project specific VM options in IntelIJ IDEA Ultimate;self.java -9;1409369907;5;Java REST Service best practices;self.java -6;1409369137;6;Trying to learn Java please help;self.java -6;1409361972;7;Draw many objects more efficiently with LWJGL;self.java -3;1409358910;4;Looking for a mentor;self.java -0;1409351905;4;JetBrains ignoring community feedback;self.java -0;1409346166;8;Getting testThis main out of classes for production;self.java -85;1409334051;7;My JAVA MMO inspiration it s bad;diamondhunt.co -0;1409330246;10;What is the best way to get started with J2EE;self.java -82;1409330130;10;String Deduplication A new feature in Java 8 Update 20;blog.codecentric.de -8;1409321330;15;Is it possible to create a restful api with plain old java without any framework;self.java -0;1409286831;1;Java;self.java -9;1409282947;8;What would be a good example REST service;self.java -3;1409262961;6;Apache Jackrabbit 2 9 0 released;mail-archives.apache.org -2;1409262932;4;What should i do;self.java -16;1409262838;9;Jar Hell made Easy Demystifying the classpath with jHades;blog.jhades.org -23;1409262647;7;The Principles of Java Application Performance Tuning;java.dzone.com -9;1409254562;14;Blurry misconceptions when combining Java via JDBC with SQL to create a database system;self.java -5;1409248719;6;Type Safe Heterogenous Containers in Java;stevewedig.com -30;1409246754;5;Mirah Where Java Meets Ruby;blog.engineyard.com -6;1409239126;11;Sample task to give to candidates for a graduate level interview;self.java -6;1409238707;8;Any good links or tips on good design;self.java -17;1409238266;6;Spurious Wake ups are very real;mdogan.github.io -21;1409234619;5;Caudit Java Easy performance monitoring;cetsoft.github.io -0;1409228444;2;Transforming Strings;self.java -0;1409188070;9;might seem dumb but i have a simple question;self.java -2;1409186359;10;How can I make a module block based collision system;self.java -2;1409182954;18;Processing org is it good for learning Java or should I consider it something completely different from Java;self.java -37;1409153764;16;codecademy com has a really nice class for JavaScript is there anything like this for Java;self.java -1;1409153123;4;Practice problems for student;self.java -28;1409140759;22;I m going in for an entry level java development position in a few hours Any tips on what interviewers might ask;self.java -13;1409128348;6;JUnit in a Nutshell Test Isolation;codeaffine.com -1;1409118888;3;Question about timers;self.java -22;1409118443;12;Wow learning Java is much easier than I thought it would be;self.java -24;1409093343;7;Type of qualifications for Junior Java Developer;self.java -22;1409090137;5;ActiveMQ 5 10 0 Release;activemq.apache.org -14;1409075179;15;What s the new to java equivalent book to Effective Java for more advanced people;self.java -9;1409070460;8;StackHunter Java exception tracker beta 1 1 released;blog.stackhunter.com -8;1409070096;6;Glassfish amp Chrome Extension Episode 1;youtube.com -3;1409067601;6;IoC Question about building my own;self.java -36;1409066808;8;What s with all the anti Spring sentiment;self.java -0;1409061136;14;If you are asked design twitter in a Java telephonic what would you answer;self.java -0;1409059492;8;Java knowledge expected for 8 years work experience;self.java -0;1409054903;3;Thoughts on Hibernate;java.dzone.com -1;1409046413;12;Writing JSR 352 style jobs with Spring Batch Part 1 Configuration options;blog.codecentric.de -2;1409041306;8;JPA enum OmniFaces enum converter select items sample;ballwarm.com -5;1409041185;4;Status update generic specializer;self.java -47;1409039277;5;JEP 159 Enhanced Class Redefinition;openjdk.java.net -6;1409032121;18;Book about general GUI design using OO It can be about JAVA but showing some general generic ideas;self.java -25;1409019397;7;Why do you prefer java for programming;self.java -0;1409008467;3;simple array issue;self.java -1;1409004465;12;x post Need help writing clean testable multi socket listener using ServerSocketChannel;self.java -80;1408989676;7;Java 9 is coming with money api;weblogs.java.net -14;1408987763;6;Has anyone tried Honest Profiler yet;self.java -15;1408972458;10;Improve IntelliJ IDEA and Eclipse Interop and Win a License;blog.jetbrains.com -0;1408969900;10;Web Development Using Spring and AngularJS Tutorial 11 Using ngResource;youtube.com -44;1408969156;9;Jinq a new db query tool for Java 8;jinq.org -6;1408968385;2;Debugging OpenJDK;java.dzone.com -9;1408962410;4;Novice Spring Framework question;self.java -27;1408955869;6;Interesting way to learn Design Patterns;self.java -0;1408932699;2;Augmented Reality;self.java -0;1408927190;8;Has anyone here ever created an android app;self.java -2;1408918930;3;Problem with JOptionPane;self.java -6;1408906630;7;Java 7 Backports for java util Optional;self.java -5;1408889099;7;Meetup Reactive Programming using scala and akka;blog.knoldus.com -3;1408883188;9;JavaZone 2014 Game of Codes Game of Thrones parody;youtu.be -72;1408880427;5;JAVA 4 EVER Official Trailer;youtube.com -5;1408877443;8;Is it fun to be a Java developer;self.java -4;1408861775;6;Ideas for a tough Java project;self.java -4;1408854580;23;Was anyone used RxJava in a java 6 7 environment Did the benefit of reactive programming outweigh the terribleness of nested anonymous classes;self.java -17;1408836998;6;Looking for Basic Intermediate Java Challenges;self.java -2;1408826752;8;Need some explanation about this Generics type erasure;self.java -9;1408816237;14;Scala template engine like JSP but without the crap and with added scala coolness;github.com -2;1408813736;7;Looking for advice on GUI building tools;self.java -12;1408811638;5;Should I use an IDE;self.java -13;1408807844;13;Library for download and handle a countries ips list from a CSV file;github.com -0;1408754014;7;Whats the Best website to practice JAVA;self.java -49;1408744921;12;Capsule One Jar to Rule Them All x post from r programming;dig.floatingsun.net -0;1408722045;3;Forget about LinkedList;self.java -9;1408721040;3;Question about servlets;self.java -4;1408720872;9;Help Error when trying to run a web applet;self.java -0;1408720413;8;Why is JavaFX being continued Nobody uses it;self.java -43;1408717148;19;Eclipse compilation run is faster by factor of 3x then NetBeans and IntelliJ IDEA on slow and old hardware;self.java -15;1408715461;4;Java Advanced Management Console;blogs.oracle.com -14;1408712414;6;The ultimate guide to JavaOne 2014;javaone-2014.zeef.com -0;1408681616;17;What are the benefits of using a scanner for command line input as opposed to a BufferedInputStreamReader;self.java -3;1408676771;13;Need help with Java assignment It is about Inheritance and I am lost;self.java -0;1408670704;8;Current approaches to Java application protection are problematic;technewsworld.com -0;1408662564;4;JDBC Basics Part I;go4expert.com -10;1408656298;9;Everything you need to know about Java EE 8;javaee8.zeef.com -0;1408654505;4;What is Reactive Programming;medium.com -3;1408644752;7;Eclipse advanced statistical debugging Where is it;self.java -1;1408644391;11;java error when igpu multi monitor is enabled hs err pid;self.java -2;1408628744;16;Eric D Schabell New integration scenarios highlighted in JBoss BPM Suite amp JBoss FSW integration demo;schabell.org -0;1408627403;4;MultiThread in Java help;self.java -98;1408627039;14;The 6 built in JDK tools the average developer should learn to use more;zeroturnaround.com -6;1408564320;9;eCommerce case study for in memory caching at scale;hazelcast.com -18;1408563818;19;Frontend development in HTML CSS and Java only or GWT in a different way The JBoss Errai web framework;self.java -10;1408563205;4;Online IDE for Java;self.java -28;1408562251;9;Why Developer Estimation is Hard With a Cool Puzzle;zeroturnaround.com -4;1408553590;4;Novice programming problem java;self.java -25;1408548900;8;Java 9 Features Announced What Do You Think;java.dzone.com -0;1408539575;7;How to solve Java s security problem;infoworld.com -0;1408537012;10;Web Development Using Spring and AngularJS Tutorial 10 New Release;youtube.com -1;1408536720;10;Web Development Using Spring and AngularJS Tutorial 9 New Release;youtube.com -1;1408536247;6;Locks escalating due classloading issues example;plumbr.eu -3;1408497602;4;java install key error;self.java -29;1408487516;8;Release Oracle Java Development Kit 8 Update 20;blogs.oracle.com -14;1408485045;20;JSR posted for MVC 1 0 a Spring MVC clone in Java EE as second web framework next to JSF;java.net -2;1408474014;12;Apache POI 3 10 1 released CVE 2014 3529 CVE 2014 3574;mail-archives.apache.org -1;1408473369;23;CVE 2014 3577 Apache HttpComponents client Hostname verification susceptible to MITM attack fixed in HttpClient 4 3 5 and HttpAsyncClient 4 0 2;markmail.org -1;1408466048;2;Java Certifications;self.java -3;1408463080;11;I have questions about Java Java EE development with NoSQL databases;self.java -7;1408455837;11;Drools amp jBPM Drools Execution Server demo 6 2 0 Beta1;blog.athico.com -2;1408455324;8;Freenode java Initializing arrays of arrays avoid fill;javachannel.org -13;1408440072;7;Freenode java How to access static resources;javachannel.org -9;1408423073;6;Object already exists java install error;self.java -28;1408417677;8;What do I need to know about maven;self.java -10;1408406823;5;Open source Java GWT libraries;self.java -0;1408398054;2;Eclipse Error;stackoverflow.com -7;1408392946;13;The first official feature set announcement for OpenJDK 9 and Java SE 9;sdtimes.com -15;1408383539;10;Java Weekly 8 Java9 JMS 2 JUnit Microservices and more;thoughts-on-java.org -28;1408377808;10;Java 8 compilation speed 7 times slower than Java 7;self.java -1;1408370842;7;Error with geany compiler when compiling java;self.java -22;1408349223;6;JUnit in a Nutshell Test Structure;codeaffine.com -10;1408327041;15;Almost got a job as a Java developer Just need to pass a technical assessment;self.java -7;1408306333;24;When to Use Nested Classes Local Classes Anonymous Classes and Lambda Expressions The Java Tutorials gt Learning the Java Language gt Classes and Objects;docs.oracle.com -5;1408295257;8;Help integrating a library into my java project;self.java -12;1408253559;5;Understanding JUnit s Runner architecture;mscharhag.com -10;1408241703;5;Use of System out print;self.java -1;1408224163;5;Help with setters and this;self.java -1;1408215962;8;How stable is the android developer job market;self.java -24;1408205499;9;What s a good universal GUI framework for Java;self.java -7;1408192626;19;Quick snippet to get list of your facebook friends who have liked atleast one post in a particular page;csnipp.com -13;1408185955;9;Humanize facility for adding a human touch to data;github.com -4;1408185892;4;iCal4j iCalendar specification RFC2445;wiki.modularity.net.au -23;1408179640;9;Working with Date and Time API Java 8 Feature;groupkt.com -14;1408157227;2;Question jHipster;self.java -46;1408153996;15;Heat map of which keys I used to create a simple java program with vim;i.imgur.com -0;1408144406;3;Java not updating;self.java -0;1408140689;5;Java Advanced books to get;self.java -8;1408139527;9;Transactions mis management how REQUIRES_NEW can kill your app;resilientdatasystems.co.uk -4;1408127055;8;Is there such thing as a reminder interface;self.java -1;1408126054;11;Need help with strange Java Error JVM Entry point not found;self.java -11;1408124747;17;Introducing QuickML A powerful machine learning library for Java including Random Forests and a hyper parameter optimizer;quickml.org -19;1408116333;6;Apache Commons CSV 1 0 released;mail-archives.apache.org -4;1408105721;3;Introduction vaadin com;vaadin.com -7;1408105161;8;TempusFugitLibrary helps you write and test concurrent code;tempusfugitlibrary.org -64;1408097304;5;JavaZone 2014 Game of Codes;youtube.com -25;1408093982;5;Learning JVM nuts and bolts;self.java -4;1408067963;4;Monitor Java with SNMP;badllama.com -5;1408053674;5;Nemo SonarQube opensource code quality;nemo.sonarqube.org -12;1408044400;6;Where how to learn JSF properly;self.java -47;1408040317;9;1407 FindBugs 3 0 0 released Java 8 compatible;mailman.cs.umd.edu -2;1408039948;5;Netty 4 0 22 released;github.com -4;1408037941;12;Demonstration how to write from one database to another using SPRING Batch;self.java -3;1408033207;9;Looking for a good tutorial for java 7 8;self.java -9;1408032954;7;Mojarra 2 2 8 has been released;java.net -8;1408022994;10;Using Javascript Libs like Backbone js with Nashorn Java 8;winterbe.com -7;1408019411;9;The 3 different transport modes with vaadin and push;blog.codecentric.de -7;1408015636;5;Cadmus A Primer in Java;cadmus.herokuapp.com -6;1408014349;6;Opensource Java projects for junior developers;self.java -7;1407998439;8;Creating a lazy infinite fibonacci stream using JDK8;jacobsvanroy.be -0;1407981025;9;Bootstrapping Vaadin Applications Using Gradle Spring Boot and vaadin4spring;dev.knacht.net -1;1407975400;3;Java textbook advice;self.java -159;1407967212;22;I know it probably isn t much but I just completed my first Game Loop alone and I m so proud Haha;i.imgur.com -6;1407965450;12;Looking for an online IDE submission site for intro to programming class;self.java -0;1407962164;6;Personal favorite programming software for Java;self.java -8;1407961520;7;What are your favorite IntelliJ IDEA features;self.java -2;1407956047;3;SSLSocket and getChannel;self.java -2;1407942154;10;Is this a good function to encrypt and decrypt strings;csnipp.com -5;1407936671;5;Working with Java s BigDecimal;drdobbs.com -0;1407936655;10;My company HCA in Nashville is expanding our Java team;self.java -11;1407931536;8;Brian Goetz Lambda A Peek Under the Hood;vimeo.com -11;1407924400;9;Java Best Practices Queue battle and the Linked ConcurrentHashMap;javacodegeeks.com -2;1407914579;10;Meet Christoph Engelbert One of July s Most Interesting Developers;blog.jelastic.com -10;1407912540;5;OpenSource project to learn from;self.java -0;1407903923;2;Libgdx exception;self.java -2;1407881775;7;Need some help conquering the learning curve;self.java -21;1407877810;5;Read data from USB port;self.java -7;1407875548;8;Time4J Advanced date and time library for Java;github.com -0;1407873625;10;Java CAS Client 3 3 2 fix CVE 2014 4172;apereo.org -1;1407862047;6;Trying to pass Type to interface;self.java -2;1407841354;15;Java Software Solutions Foundations of Program Design 8th Edition by John Lewis amp William Loftus;self.java -26;1407834953;6;JUnit in a Nutshell Hello World;codeaffine.com -12;1407834912;8;Understanding the benefits of volatile via an example;plumbr.eu -4;1407834332;4;Keeping track of releases;self.java -28;1407834083;10;How to get started with a desktop UI in Java;self.java -9;1407832763;5;My single class parser generator;mistas.se -61;1407826181;8;Get real Oracle is strengthening not killing Java;infoworld.com -0;1407817358;21;Certain sbt installs fail on OS X 10 9 when running Java 8 how do I install Java 7 alongside 8;self.java -2;1407801966;14;what s a good way to validate that you know enough to be hireable;self.java -2;1407796765;7;How to embed HSQLDB in Netbeans project;self.java -3;1407796304;7;What to read after Head First Java;self.java -0;1407795614;11;uniVocity a Java framework for the development of data integration processes;self.java -0;1407792177;7;HttpComponents Client 4 3 5 GA Released;mail-archives.apache.org -0;1407792149;7;HttpComponents HttpAsyncClient 4 0 2 GA Released;mail-archives.apache.org -10;1407792121;4;Brian Goetz Evolving Java;infoq.com -65;1407787064;11;So the stickers I sent out for have arrived Plus extras;imgur.com -7;1407782517;8;Charts with jqPlot Spring REST AJAX and JQuery;softwarecave.org -6;1407781577;10;Is there anyway I can get Eclipse on my Chromebook;self.java -11;1407780754;5;JavE Java Ascii Versatile Editor;jave.de -32;1407778784;9;First batch of JEPs proposed to target JDK 9;mail.openjdk.java.net -26;1407770649;2;Goodbye LiveRebel;zeroturnaround.com -8;1407769678;6;Any solutions for JSP Unit Testing;self.java -19;1407750845;8;A sudo inspired security model for Java applications;supposed.nl -13;1407745603;5;Generating equals hashCode and toString;techblog.bozho.net -16;1407737955;11;Java Weekly 7 Generics with Lambda unified type conversion and more;thoughts-on-java.org -0;1407736021;12;Okay I want to start doing Java can you answer 2 questions;self.java -3;1407726885;15;Would using a persistence database not cause writing objects to it to have a StackOverflowError;self.java -0;1407724761;6;Anyone know how this is done;self.java -41;1407720662;10;Something I wasn t aware about random numbers in java;engineering.medallia.com -2;1407715775;7;Finding the inside of a closed shape;self.java -10;1407706233;8;Best swing layout for vertical list of buttons;self.java -50;1407697043;8;Best way to learn advanced java from home;self.java -8;1407691632;8;Can I turn a jar into a exe;self.java -1;1407685129;7;Sanitizing webapp outputs as an an afterthought;blog.frankel.ch -6;1407684966;17;Just bought a pogoplug mobile and installed Debian on it Question about java apps and resource usage;self.java -41;1407664170;9;Generics How They Work and Why They Are Important;oracle.com -3;1407647145;4;Best Java library reference;self.java -10;1407638437;3;Thread sleep Alternatives;self.java -10;1407638427;9;Java certification which one and what materials to use;self.java -24;1407621954;6;Essential Gradle snippet for Intellij users;movingfulcrum.tumblr.com -5;1407618990;14;Showing how to use Java 8 dates and functional programming to write a timer;selikoff.net -5;1407587337;2;JCheckBox Help;self.java -30;1407582443;4;jFairy Java Faker Library;codearte.github.io -21;1407571860;9;jclouds 1 8 released the Java multi cloud toolkit;jclouds.apache.org -10;1407533056;11;Will HTML5 make good old JSPs popular again by Adam Bien;adam-bien.com -1;1407500223;4;Code coverage with Netbeans;self.java -2;1407444048;11;Gost hash Pure Java Russian GOST 34 11 94 hash implementation;github.com -18;1407438447;7;High time to standardize Java EE converters;arjan-tijms.blogspot.com -0;1407435022;2;Java Botnet;self.java -6;1407428192;3;Order of modifiers;self.java -5;1407425624;10;Help Coding A Genetic Algorithm to Solve the Knapsack Problem;self.java -23;1407423206;7;ArrayList and HashMap Changes in JDK 7;javarevisited.blogspot.sg -3;1407415033;6;Getting JDK installers working on Yosemite;self.java -7;1407413900;5;StringJoiner in Java SE 8;blog.joda.org -10;1407411660;13;Oracle s Latest Java 8 Update Broke Your Tools How Did it Happen;takipiblog.com -1;1407408934;2;What course;self.java -1;1407406578;4;Spring Data Jpa Filters;self.java -149;1407405335;6;Get rid of the frickin toolbar;self.java -4;1407401638;8;Internet Explorer to start blocking old Java plugins;arstechnica.com -2;1407401407;9;Should I use direct references to classes as delegates;self.java -0;1407390847;10;6 Reasons Not to Switch to Java 8 Just Yet;javacodegeeks.com -6;1407373455;8;HSQLDB timestamp field that automatically updates on update;self.java -7;1407372471;3;Java learning problems;self.java -2;1407369429;5;Java Annotated Monthly July 2014;blog.jetbrains.com -0;1407366864;9;The attributes of an object are often coded as;self.java -1;1407364945;6;Suggestion for Loan Calculator UML diagram;self.java -1;1407351983;5;Wrapping Polymer components with JSF;self.java -51;1407349780;7;CodeExchange A new Java code search engine;codeexchange.ics.uci.edu -7;1407349669;9;Needing no annotation no external mapping reflection only ORM;self.java -4;1407344810;7;UI framework suggestions for single page application;self.java -16;1407342086;5;presentation State of Netty Project;youtube.com -2;1407322568;9;Java Blog Beginner s Guide to Hazelcast Part 3;darylmathison.wordpress.com -5;1407321725;10;Question Spring mvc ErrorPageFilter creates random overflow and high CPU;stackoverflow.com -8;1407318400;4;gaffer foreman on JVM;github.com -26;1407314637;12;OhmDB The Hybrid RDBMS NoSQL Database for Java Released under Apache License;github.com -18;1407311357;10;OptaPlanner 6 1 0 Final released open source constraint optimizer;optaplanner.org -4;1407308165;11;Setting up Liquibase for Database change Management With Java Web Application;groupkt.com -2;1407301723;6;Cool little JSON library I made;youtube.com -4;1407298447;24;Anyone here who could offer some help with JOGL I am more less a beginner with absolutely no knowledge when it comes to graphics;self.java -5;1407289478;11;Y combinator in Java in case someone needs it probably never;self.java -13;1407288242;12;Hibernate ORM with XRebel Revealing Multi Query Issues with an Interactive Profiler;zeroturnaround.com -5;1407281602;8;HELP Coding and compiling in Sublime Text 3;self.java -9;1407274419;3;Java docopt implementation;github.com -8;1407272934;9;Best way for AJAX like search functionality in JTable;self.java -3;1407259402;8;JCP News Many Java EE 8 specs started;blogs.oracle.com -1;1407249540;7;Web Based Application using Java Flex Development;elegantmicroweb.com -8;1407248481;6;UDP Packets EOFException on ObjectInputStream readObject;self.java -17;1407241419;7;Getting into programming with no experience network;self.java -38;1407221595;6;The Art of Separation of Concerns;aspiringcraftsman.com -16;1407221087;4;Java 8 Stream Tutorial;winterbe.com -15;1407219146;5;Lambda Expressions Java 8 Feature;groupkt.com -7;1407212774;15;In Detail A Simple Selection Sort In Java Along With Generics Implementation Code In Action;speakingcs.com -5;1407207559;11;Can someone tell me why nothing is rendering to my screen;pastebin.com -6;1407183706;11;Can I teach Java with Pi or Arduino xpost r programming;self.java -13;1407181669;8;Pursuing a career in Java Any tips pointers;self.java -3;1407180309;8;What should I be learning Stuck at swing;self.java -0;1407179504;10;class com java24hours root2 does not have a main method;self.java -0;1407177667;10;I haven t used Java since 2011 What has changed;self.java -4;1407174287;5;Monkey X Raph s Website;raphkoster.com -7;1407171212;6;Feel secure with SSL Think again;blog.bintray.com -27;1407167856;6;Maven Central HTTPS Support Launching Now;central.sonatype.org -0;1407163234;10;A little help with a java program I m making;self.java -13;1407156589;5;Spring Framework and OAuth Tutorial;blog.techdev.de -2;1407139190;11;Java Weekly 6 Micro Services CDI 2 0 NoEstimates and more;thoughts-on-java.org -7;1407130853;6;How to choose between Web Frameworks;self.java -22;1407130616;4;Java 8 Stream Tutorial;winterbe.com -136;1407123631;6;Falling back in love with Java;self.java -0;1407103122;7;How to undo Git Checkout in Netbeans;self.java -1;1407079159;12;Is it possible to make Spring Roo apps behave like Django apps;self.java -16;1407076214;7;Session Fixation and how to fix it;blog.frankel.ch -0;1407068560;5;Writing amp Reading Text Files;self.java -4;1407065732;5;Why we should love null;codeproject.com -0;1407059725;7;How Jetty embedded with cuubez rest framework;code.google.com -0;1407042039;9;Where can a high school java programmer find employment;self.java -0;1407034990;11;Why does my JSF AJAX only work on the second try;self.java -1;1407025519;8;Java EE Tutorial 11 Built in JSF Validation;youtube.com -3;1407013632;8;JavaFX runnable jar cannot find my music files;self.java -0;1407007088;9;How to add JFXtras to current project without Maven;self.java -0;1407003044;9;Is it a waste of time to learn Java;self.java -8;1407000890;6;Use Maven for Desktop only application;self.java -1;1406995262;8;Parallelism of esProc enhances Oracle Data Import Speed;datathinker.wordpress.com -0;1406994226;7;Comparison between different looping techniques in Java;groupkt.com -1;1406992489;3;Riemann JVM Profiler;github.com -6;1406977160;21;Pherialize Library for serializing Java objects into the PHP serializing format and unserializing data from this format back into Java objects;github.com -13;1406976865;6;Apache Tomcat 7 0 55 released;mail-archives.apache.org -23;1406974498;6;JCommander annotation based parameter parsing framework;jcommander.org -0;1406960809;9;How to Serialize Java Object to XML using Xstream;groupkt.com -6;1406955204;13;Best library to use to implement Grid based D amp D virtual tabletop;self.java -9;1406953623;5;JFreeChart 1 0 19 Released;jroller.com -14;1406937264;10;Best way to implement a desktop event calendar in Java;self.java -3;1406936237;5;Android and an external database;self.java -5;1406934375;11;How do you use Eclipse and Mylyn in the development process;self.java -11;1406933251;22;Alright my imperative and talented Java friends I ask you how would you refactor this code in a pre java 8 environment;self.java -3;1406926718;12;Selma is a bean mapper with compile time checks of correct mapping;xebia-france.github.io -16;1406911326;3;Dynamic CDI producers;jdevelopment.nl -5;1406909419;6;Spring Batch Parallel and distributed processing;blog.cegeka.be -5;1406906908;12;How to Build Java EE 7 Applications with Angular JS Part 1;javacodegeeks.com -7;1406903194;14;The 10 Most Annoying Things Coming Back to Java After Some Days of Scala;blog.jooq.org -3;1406896880;7;How to Learn Java for Free Guide;howtolearn.me -13;1406893506;5;JANSI Eliminating boring console output;jansi.fusesource.org -4;1406884713;8;Java EE Tutorial 10 Using Ajax with JSF;youtube.com -0;1406883762;2;Struts prerequisites;self.java -13;1406877900;5;Skill Sets for large organization;self.java -0;1406875817;3;Java Minecraft help;self.java -2;1406867444;9;Spring REST backend for handling Bitcoin P2SH multisignature addresses;self.java -0;1406833712;6;Value Objects in Java amp Python;stevewedig.com -7;1406832354;12;We built KONA Cloud with Java Javascript with Nashorn Check it out;konacloud.io -9;1406830442;6;Hibernate Statistics with Hawtio and Jolokia;blog.eisele.net -0;1406817918;7;R I P XML in Spring Applications;blog.boxever.com -11;1406808810;9;Maven Shell I only just found out this existed;blog.sonatype.com -3;1406798394;13;Is it good practice to rollback transactions from only unchecked exceptions Spring J2EE;self.java -5;1406788506;6;Java EE Tutorial 9 JSF Navigation;youtube.com -0;1406781994;9;Why one developer switched from Java to Google Go;infoworld.com -22;1406759649;7;Going to Java One What to expect;self.java -1;1406759398;8;Writing min function part 3 Weakening the ordering;componentsprogramming.wordpress.com -16;1406751945;5;Building Web Services with DropWizard;hakkalabs.co -0;1406740858;10;Where to upload jar file on server to run it;self.java -5;1406740184;4;On logging in general;self.java -0;1406736308;20;Web Development Using Spring and AngularJS Eighth Tutorial Released Integration of ng boilerplate for AngularJS Development Setup and General Overview;youtube.com -0;1406735641;10;Need Help Nested if inside switch statement Is it possible;self.java -6;1406734921;11;HawtIO on JBoss Wildfly 8 1 step by step Christian Posta;christianposta.com -9;1406731471;12;The Netflix Tech Blog Functional Reactive in the Netflix API with RxJava;techblog.netflix.com -9;1406723165;5;Best library for creating Reports;self.java -27;1406721948;8;Scala 2 12 Will Only Support Java 8;infoq.com -37;1406720879;9;What are the inherent problems in Logback s architecture;self.java -17;1406718198;12;Eating your own dog food threadlock detection tool finds locks in itself;plumbr.eu -9;1406714763;10;Big execution time difference between java Lambda vs Anonymous class;stackoverflow.com -17;1406710178;4;HTTP 2 and Java;weblogs.java.net -3;1406700391;7;Generate X509 certificate with Bouncycastle s X509v3CertificateBuilder;self.java -0;1406694211;7;Crawling a site and indexing its content;self.java -1;1406689704;18;Spring XD 1 0 GA makes Streaming amp Batch Ingest Analyze Process Export drop dead simple for Hadoop;spring.io -4;1406672893;9;Scala Named a Top 10 Technology for Modern Developers;typesafe.com -2;1406672310;11;Spring MVC and XRebel Uncovering HttpSession Issues with an Interactive Profiler;zeroturnaround.com -6;1406669306;9;Encrypt private key with password when creating certificate programmatically;self.java -7;1406668013;15;Creating a JavaFX Application pure Java VS SceneBuilder amp FXML and testing it with Automaton;sites.google.com -0;1406659547;6;Android Tutorial Contest 10K in Prizes;self.java -1;1406659197;4;Guess a Number game;self.java -1;1406658145;7;Making my code run on a server;self.java -2;1406655078;4;Java ME Certification Prep;self.java -1;1406654388;2;Kata Potter;self.java -0;1406649059;9;Java Concurrency Future Callable and Executor Example Java Hash;javahash.com -3;1406644365;7;MongoJack JAX RS gt Return Dynamic Documents;self.java -66;1406642398;11;IEEE ranks Java as Top Programming Language Despite Ignoring Embedded Capability;twitter.com -0;1406641948;10;Dependency Injection in Scala using MacWire DI in Scala guide;di-in-scala.github.io -0;1406641564;6;Curryfication Java m thodes amp fonctions;infoq.com -6;1406641462;8;Testing Java EE applications on WebLogic using Arquillian;event.on24.com -14;1406636513;9;New to Java What package manager do you use;self.java -15;1406619186;18;One of the most interesting bugs in the Java compiler or Eclipse compiler Or in the JLS itself;stackoverflow.com -0;1406618534;7;A Java 8 Spring 4 reference application;blog.techdev.de -26;1406603897;5;Comparing Java HTTP Servers Latencies;bayou.io -5;1406598999;3;Multidimensional array looping;self.java -8;1406598804;3;Textedit vs Eclipse;self.java -1;1406580816;7;DropWizard MongoDB delivering dynamic documents in JSON;self.java -3;1406578309;3;OpenXaja and ABL;self.java -14;1406575847;9;Library to copy jdbc results into objects Not Hibernate;self.java -18;1406567025;7;Spring Framework 4 1 Spring MVC Improvements;spring.io -0;1406566535;5;Spring Data Dijkstra SR2 released;spring.io -10;1406561524;9;Discover what s in CDI 2 0 specification proposal;cdi-spec.org -2;1406546482;6;External configuration for a Spring Webapp;self.java -16;1406543705;13;Java Weekly 5 Metaspace Server Sent Events Java EE 8 drafts and more;thoughts-on-java.org -16;1406538598;6;Exception Handling in Asynchronous Java Code;blog.lightstreamer.com -0;1406528433;4;Update Java Loop issue;self.java -3;1406526766;10;Remote profiling using SSH Port Forwarding SSH Tunneling on Linux;blog.knoldus.com -1;1406525345;4;Spring MVC with Hibernate;malalanayake.wordpress.com -14;1406520549;3;PrimeFaces Responsive Grid;blog.primefaces.org -0;1406497987;6;Start with JAVA or Android SDK;self.java -5;1406493469;4;Stuck on Java loop;self.java -5;1406475798;6;Spring configuration modularization for Integration Testing;blog.frankel.ch -0;1406467108;3;My Settings class;pilif0.4fan.cz -0;1406447842;4;I need help plz;self.java -0;1406446139;8;Java NewBie with slideshow of display Images Problem;self.java -5;1406401655;6;Jetty 9 2 2 v20140723 Released;jetty.4.x6.nabble.com -25;1406400934;8;The best second language to learn along java;self.java -11;1406390978;18;Pure Java Implementation of an Interactive 3D Graph Rendering Engine and Editor Using a Spring Embedder Algorithm 1200Loc;github.com -26;1406382207;5;Servlet 4 0 The Aquarium;blogs.oracle.com -4;1406351963;6;Help me ramp up in Java;self.java -0;1406337240;29;Anyone looking for a job We are staffing 8 US based Java developers at Accenture for some consulting work PM me your resume contact info if you are interested;self.java -24;1406336899;31;Anyone here using Azul Zing in production Are you happy about your experience Do you recommend it And what are its pros and cons compared to Oracle JVM in your opinion;self.java -0;1406323385;6;Fellow programmers I need your assistance;self.java -10;1406316769;8;Best way to get a Java Developer Internship;self.java -4;1406297796;15;Is JavaScript HTML5 development going to surpass Java JEE as an enterprise platform for development;self.java -0;1406250255;6;How do I get user input;self.java -11;1406249505;4;Working remotely with IntelliJ;self.java -3;1406239798;5;How should I learn Java;self.java -27;1406234582;6;Implement compareTo Using Google Guava Library;dev.knacht.net -4;1406234246;2;CORS Filter;software.dzhuvinov.com -5;1406223025;9;Handling static web resources with Spring Framework 4 1RC1;spring.io -0;1406214549;3;problem with netbeans;self.java -5;1406205586;19;Web Development Using Spring and AngularJS Seventh Tutorial Released Review of code and testing the completed backend using Postman;youtube.com -9;1406196210;3;PrimeFaces Accessibility Update;blog.primefaces.org -8;1406187423;5;Any doc odt java generator;self.java -1;1406173624;8;Can I do this and if so how;self.java -0;1406172768;4;Where do I start;self.java -2;1406163139;11;Has anyone used Lynda com to learn catch up with JAVA;self.java -1;1406156729;11;How to use tab button to change between JTextFields in Netbeans;self.java -21;1406149787;7;Interview with Juergen Hoeller at QCon 2014;infoq.com -10;1406149517;4;Hadoop without code complication;infoq.com -2;1406148668;5;Easy Ways to Learn Java;self.java -46;1406140044;9;How to turn off junkware offers when updating Java;twitter.com -1;1406129648;10;Cloudbreak New Hadoop as a Service API Enters Open Beta;infoq.com -37;1406121275;11;How to Instantly Improve Your Java Logging With 7 Logback Tweaks;takipiblog.com -1;1406121020;9;Do I really have a car in my garage;stackoverflow.com -14;1406067531;5;JDK 8u11 Update Release Notes;oracle.com -23;1406066141;4;Log4j 2 0 released;mail-archives.apache.org -1;1406054512;7;The elements still holding back web xml;movingfulcrum.tumblr.com -0;1406025444;2;Java Developers;nsainsbury.svbtle.com -11;1406025378;9;Time memory tradeoff with the example of Java Maps;java.dzone.com -3;1406018989;14;Whitespace Matching Regex Java Or how you ve probably gotten it wrong so far;stackoverflow.com -75;1406016169;10;RichFaces throws in the towel JBoss to focus on AngularJS;bleathem.ca -6;1406014445;15;I m about to learn Java at uni and I have a couple of questions;self.java -45;1405984191;5;AlgPedia The free algorithm encyclopedia;algpedia.dcc.ufrj.br -0;1405981556;5;Proper Debugging in eclipse video;youtube.com -7;1405979806;5;The best approach to learn;self.java -0;1405959965;1;Tuples;benjiweber.co.uk -11;1405957412;24;Shameless self promotion bignumutils Utility classes for dealing with BigDecimal and BigInteger something I made a while ago to make BigXXXX operations more clear;code.google.com -14;1405945641;6;Implementing size on a concurrent queue;psy-lob-saw.blogspot.com -23;1405944661;5;JEP 191 Foreign Function Interface;openjdk.java.net -9;1405944142;14;Application Servers are Sort of Dead okay not really but they are used differently;beyondjava.net -48;1405933555;8;Introducing Para an open source back end framework;self.java -0;1405911842;11;How to Create and use Enumerated types in Java Java Talk;javatalk.org -5;1405906254;12;Question about public private keys from using keytool to generate certificate keystore;self.java -20;1405883983;11;Looking for a good text texts to learn JSF Spring Hibernate;self.java -10;1405878363;25;Rottentomatoes as of 1 45pm EST Jul 20 I m sure we ve all seen the ol NoClassDefFoundError exception at some point in our lives;i.imgur.com -9;1405873832;8;Spring Guice dependency injection and the new keyword;self.java -7;1405872403;12;Invalid Length in LocalVariableTable Using Spring Hibernate Java 8 streams Any Ideas;self.java -11;1405847986;15;Searching for somebody pointing out the biggest mistakes I made in my first Java game;self.java -3;1405834577;10;Osama Oransa s Blog JPA 2 1 Performance Tuning Tips;osama-oransa.blogspot.sg -9;1405828344;15;The Great White Space Debate space around the terms of a for loop or no;medium.com -2;1405802991;11;Font for any Java related program is displaying improperly ex Minecraft;self.java -0;1405796362;10;Exported jar Program Only Runs on my Desktop Eclipse Issue;self.java -8;1405791405;4;Hybrid JavaFX Desktop Applications;twitter.com -18;1405784600;9;Java Learning Design Patterns using a Problem Solution approach;self.java -0;1405747429;8;Need help removing a jrat from a file;self.java -10;1405740966;2;Fixing TreeSet;self.java -0;1405733978;8;Looking for a Java programmer that loves hockey;self.java -8;1405720690;19;Attention Big Data devs Spring XD 1 0 0 RC1 released now is the time to preview and feedback;spring.io -4;1405714932;7;War deployment in Wildfly using Eclipse Luna;self.java -1;1405714059;4;Maven Shading LGPL Jar;self.java -3;1405708603;7;How to generate a random long number;self.java -52;1405705904;8;Java is the Second Most Popular Coding Language;blog.codeeval.com -13;1405690755;6;Java 8 Functional Interface Naming Guide;blog.orfjackal.net -0;1405690003;2;Need help;self.java -14;1405687351;6;Lambda Expression Basic Example Java 8;ravikiranperumalla.wordpress.com -7;1405687336;6;Serializable What does it acutally do;self.java -11;1405673903;6;Where Has the Java PermGen Gone;infoq.com -84;1405672173;13;Log4J2 is final congrats to the team and welcome our new logging overlords;logging.apache.org -5;1405665995;10;How do I put a video in my Swing application;self.java -0;1405659323;7;java lang StackOverFlowError in java util Hashmap;self.java -13;1405639065;6;Any Eclipse Plugin to Encourage Javadoc;self.java -9;1405630147;11;Contexts and Dependency Injection for Java 2 0 CDI 2 0;blogs.oracle.com -5;1405624023;2;crl checking;self.java -8;1405623527;4;Saving debug variables state;self.java -17;1405611045;3;Java programs grader;self.java -8;1405608887;9;What to learn next x post from r learnjava;self.java -16;1405607829;9;Java API for JSON Binding JSON B The Aquarium;blogs.oracle.com -27;1405604250;14;Recently ran into this problem and this post was really mother f king helpful;code.nomad-labs.com -2;1405587295;7;Jaybird 3 0 snapshot available for testing;firebirdnews.org -0;1405585062;16;The output of my Java code changes arbitrarily Could Date or Calendar be the culprit Help;self.java -26;1405580448;3;JDK8 Fibonacci stream;jacobsvanroy.be -3;1405572040;12;Per request cache of properties query results etc How to do it;self.java -13;1405559558;3;Storing encryption key;self.java -5;1405558749;3;OCAJSE7 failed twice;self.java -2;1405557971;18;Trying to read large txt doc to array but when ran the array is filled with Null values;self.java -0;1405546603;5;NEW TO JAVA NEED HELP;self.java -2;1405543241;6;Hierarchical faceting using Spring data solr;self.java -0;1405538133;13;WTF Java wont add the site to the site list of exceptions HELP;self.java -2;1405533854;5;Chat server client I made;self.java -6;1405531152;34;I am so frustrated I just can t get started with developing somehing with java or an android game I can t get past all the installation stuff on tutorials I always get errors;self.java -10;1405525295;12;Build HTML Trees in Java Code We don t need no template;bayou.io -1;1405520831;15;Having a problem coding with arrays that accepts an array of objects in a class;self.java -3;1405520460;4;Java Debuggers and Timeouts;insightfullogic.com -5;1405518352;9;Creating a Null Pointer Checker for series of objects;self.java -0;1405516686;10;Is Retrofit ErrorHandler acceptable for handle an api level errors;self.java -31;1405508561;20;Hibernate Cache Is Fundamentally Broken and Hibernate team just closed the associated issue after being open for a few years;squirrel.pl -80;1405498101;8;lanterna Easy console text GUI library for Java;code.google.com -1;1405474848;7;Lightweight super fast RESTful web service engine;cuubez.com -2;1405467982;5;AlgPedia the free algorithm encyclopedia;algpedia.dcc.ufrj.br -23;1405462950;11;Java SE 8 Update 11 and Java SE 7 Update 65;blogs.oracle.com -4;1405456131;6;Oracle Critcial Patch Update July 2014;oracle.com -31;1405453046;6;Why doesn t Java have tuples;self.java -3;1405452478;10;Is it bad to import more packages than you need;self.java -8;1405445452;7;JSR 311 JAX RS vs Spring REST;self.java -15;1405444180;5;JSON B draft JSR available;java.net -0;1405443440;14;Programmers of Reddit I need your Help on this java Tic Tac Toe game;self.java -6;1405442609;10;An alternative approach of writing JUnit tests the Jasmine way;mscharhag.com -6;1405434327;7;Intro to Java textbook with actual problems;self.java -8;1405433830;5;Fixing Garbage Collection Issues Easily;blog.codecentric.de -13;1405427672;5;Native launcher for Java applications;richjavablog.com -21;1405421738;9;Library for converting documents into a different document format;documents4j.com -21;1405420331;10;Needing Advice Do I learn Spring MVC JSF or AngularJS;self.java -6;1405414744;4;Java text edit component;self.java -22;1405413967;4;Java s Volatile Modifier;blog.thesoftwarecraft.com -12;1405405413;9;Schedule Java EE 7 Batch Jobs Tech Tip 36;blog.arungupta.me -2;1405393715;5;How to input multiple variables;self.java -14;1405391609;13;Would love a casual code review if you ve got a spare moment;self.java -0;1405381110;6;Java tic tac toe game help;self.java -15;1405371012;11;ArrayList and memory layout in Java and a comparison to C;self.java -4;1405369327;4;Need help with JApplet;self.java -3;1405365782;15;Stuck on a problem involving a method dealing with loops strings and a return value;self.java -0;1405363010;4;Need help with code;self.java -37;1405360978;7;Java s generics are getting more generic;sdtimes.com -9;1405360775;6;Java 8 More Functional Relational Transformation;blog.jooq.org -0;1405355260;20;Will Java EE 6 7 skills be in demand as much as Spring Hibernate over the next couple of years;self.java -11;1405347523;10;Server vs client side rendering AngularJS vs server side MVC;technologyconversations.com -6;1405341998;8;Latest and the best SPRING 4 HIBERNATE 4;jabahan.com -0;1405297784;8;I need some help with a simple problem;self.java -78;1405289582;13;Why do all the code teaching websites like CodeAcademy have everything but java;self.java -4;1405282216;6;Erros occurring during build in Eclipse;self.java -3;1405267228;7;Calculate Hash Values Using Google Guava Library;dev.knacht.net -5;1405257104;13;Summer project first time working with GUI Best way to go around it;self.java -8;1405256917;7;JBoss EAP 6 2 Clustered Setup Testing;self.java -24;1405246678;11;The Java Origins of Angular JS Angular vs JSF vs GWT;blog.jhades.org -23;1405246176;11;July 2014 Infant Edition State of the Specialization by Brian Goetz;cr.openjdk.java.net -12;1405209556;13;Is it considered bad practice to use toString hashCode as the hashCode method;self.java -14;1405196930;13;Get your Event Sourced web application development started with one line using Maven;blogg.bouvet.no -0;1405194713;5;Como conectar Java y Mysql;hermosaprogramacion.blogspot.com -18;1405186227;10;How popular Apache Camel vs Mule ESB vs Spring Integration;andhuvan.wordpress.com -27;1405165884;15;Question What is the real world use case of Nashorn JavaScript engine in Java 8;self.java -3;1405157505;7;IntelliJ IDEA 13 1 is painfully slow;self.java -0;1405150326;8;Fast JSF project startup with happyfaces maven archetype;intelligentjava.wordpress.com -0;1405148726;33;Can anyone help me with setting up some small java programs as assignment It would be very helpful if I can get some links that can provide with some programs Thanks in advance;self.java -2;1405137482;7;Writing to the top of a file;self.java -9;1405126391;9;Musing about a build tool that doesn t exist;self.java -1;1405123864;4;Gson array loading help;self.java -5;1405120054;6;Good free resource to learn Swing;self.java -7;1405111650;4;PC Minecraft on Pi;self.java -7;1405103809;4;Java Built in Exceptions;tutorialspoint.com -35;1405100422;5;Java Memory Model Pragmatics transcript;shipilev.net -3;1405099679;3;eclipse not opening;self.java -8;1405088849;3;Why IntelliJ Idea;self.java -7;1405084977;7;gonsole weeks a git console for eclipse;codeaffine.com -57;1405077698;12;Why Build Your Java Projects with Gradle Rather than Ant or Maven;drdobbs.com -0;1405067404;11;JSF 2 x Tip of the Day Encoding Text for XML;javaevangelist.blogspot.nl -6;1405050589;17;Looking forward to replace Spring Transactional with org softus cdi transaction transaction cdi Has anybody tried it;self.java -3;1405044562;2;Simple GUI;self.java -25;1405043833;12;A performance comparison redux Java C and Renderscript on the Nexus 5;learnopengles.com -1;1405037981;4;Configuring Maven in Eclipse;self.java -9;1405037343;9;Spring Session Project debuts a new approach to HTTPSession;spring.io -14;1405020052;3;PrimeFaces MetroUI Demo;blog.primefaces.org -5;1405018856;12;My first big project need some help with XML StAX based parsing;self.java -11;1405014846;5;Defaults in Java EE 7;blog.arungupta.me -21;1405014212;7;JavaEE From zero to app in minutes;opendevelopmentnotes.blogspot.com -0;1405000357;13;What are some noticeable amp concrete examples of Java applications Particularly web applications;self.java -5;1404996299;15;Web Development Using Spring and AngularJS Tutorial 6 Persistence Configuration using H2 DBCP and Hibernate;youtube.com -0;1404996177;8;Spring Batch Handling exceptions and retrying Cegeka Blog;blog.cegeka.be -6;1404993846;8;Ensuring proper Java character encoding of byte streams;blog.lingohub.com -38;1404987990;6;A Call For Help Awesome Java;self.java -6;1404967019;1;Swing;self.java -5;1404945614;10;What resources do you recommend for 3D java game dev;self.java -11;1404942930;5;Java Annotated Monthly June 2014;blog.jetbrains.com -28;1404936350;13;Forget about JavaOne Let s talk about the feature list for Java 9;theserverside.com -8;1404934035;10;Resurfaced performance issue in mojarra fixed in 2 2 7;blog.oio.de -2;1404933637;4;Java Assignments and Projects;self.java -4;1404924585;4;Result New Project Valhalla;mail.openjdk.java.net -0;1404907760;4;Finally return considered harmful;schneide.wordpress.com -15;1404906944;10;Writing Tests for Data Access Code Unit Tests Are Waste;petrikainulainen.net -28;1404903780;3;Java Classloaders Tutorial;zeroturnaround.com -19;1404902992;9;Convert Java Objects to String With the Iterator Pattern;blog.stackhunter.com -14;1404895732;9;RxJava Java SE 8 Java EE 7 Arquillian Bliss;lordofthejars.com -5;1404864593;8;How to organize projects with custom lambda interfaces;self.java -2;1404858425;2;Clash Inspector;clashinspector.com -1;1404858313;2;RxJava Observable;github.com -11;1404858243;9;Bouncy Castle final beta of 1 51 now available;bouncy-castle.1462172.n4.nabble.com -0;1404858236;9;Where to report bugs found within the java libraries;self.java -1;1404858173;7;VisNow generic visualization framework in Java technology;visnow.icm.edu.pl -3;1404858097;9;Base abstractions and templates for value classes for Java;github.com -0;1404857288;8;Apache Tomcat Native 1 1 31 released SSL;mail-archives.apache.org -2;1404845716;10;Start a service in a thread from application scoped bean;self.java -0;1404845032;5;what kind of this sintax;self.java -1;1404844460;4;Finding Relative File Path;self.java -0;1404839623;8;Building the PrimeFaces Mobile translation demo with NetBeans;robertjliguori.blogspot.com -8;1404833795;38;Can one specialize in one part of java and hope to get a job For example JavaFX or JavaServer Faces Can I specialize in one of them and have a good chance of finding employment as a programmer;self.java -1;1404832479;6;Memory barriers and visibility between threads;self.java -2;1404828419;2;Serializing ScriptEngine;self.java -45;1404825273;7;Top 50 Threading Questions from Java Interviews;javarevisited.blogspot.sg -55;1404815326;8;Develop using IntelliJ IDEA Check your productivity guide;blog.idrsolutions.com -10;1404807470;7;JBoss Tools m2e 1 5 0 improvements;tools.jboss.org -11;1404803902;10;Java EE 7 and more on WebLogic 12 1 3;blogs.oracle.com -3;1404799385;5;Method not returning int help;self.java -8;1404792913;7;Securing Your Applications with PicketLink and DeltaSpike;in.relation.to -1;1404780396;17;Can anyone link me to a really good tutorial on how to use Scene Builder with NetBeans;self.java -1;1404777530;7;Good book for Java and OOP design;self.java -0;1404772919;7;Project I can finish in 4 days;self.java -0;1404772188;26;I don t know if I am asking this right but why don t I have to make an object for third party or external libraries;self.java -9;1404771334;9;JUnit testing exceptions with Java 8 and Lambda Expressions;blog.codeleak.pl -0;1404767968;11;The best way to visualize TONS of data on interactive chart;self.java -0;1404765077;8;How to subtract an int from an int;self.java -2;1404763743;7;Best Way to Learn Web Dev Technologies;self.java -13;1404763421;6;Jaxrs Basic HTTP Authentication sample application;code.google.com -0;1404761281;5;Best java architecture for SaaS;self.java -12;1404759789;7;Java interview questions for a junior beginner;self.java -3;1404749740;6;How can I combine multiple Doclets;self.java -15;1404735672;11;Java Weekly 3 Microservices Java 8 features upcoming events and more;thoughts-on-java.org -0;1404735008;4;Resources to learn java;self.java -12;1404734337;8;Practice before starting a junior Java dev job;self.java -14;1404731630;8;What s the difference between Tomcat and TomEE;self.java -5;1404728298;9;Is there any way to modify code at runtime;self.java -8;1404726456;5;Lambda Behave 0 2 Released;insightfullogic.com -2;1404726393;9;Cluster Analysis in Java with Dirichlet Process Mixture Models;blog.datumbox.com -22;1404719189;6;Videos of all Geekout 2014 presentations;2014.geekout.ee -11;1404718660;5;Free Spring Framework Course 101;youtube.com -4;1404710630;30;I m new to non gui programming languages but not new to programming as a concept What s the best way for me to learn java for all general purposes;self.java -8;1404683134;3;Understanding Scanner Sc;self.java -5;1404681510;5;Mavenize your custom PrimeFaces theme;jsfcorner.blogspot.com -10;1404659671;4;Easier Spring version management;blog.frankel.ch -1;1404620849;16;How can I save a hashmap so I can read it later after terminating my program;self.java -2;1404610823;4;Basic java before android;self.java -3;1404605759;5;Setting up a swing GUI;self.java -10;1404595804;4;Apache Commons Sandbox OpenPgp;commons.apache.org -20;1404586033;5;Maven 3 2 2 Release;maven.40175.n5.nabble.com -15;1404585636;8;Netty 4 0 21 Final released Performance improvements;netty.io -11;1404560920;7;JCP News WebSocket and Batch maintenance reviews;blogs.oracle.com -3;1404511290;9;Best way to visualize transactions within a spring application;self.java -6;1404507268;5;Introducing the Java EE Squad;blogs.oracle.com -7;1404498819;4;Tools for java teacher;self.java -0;1404497631;11;New to java trying to figure Time for scripting in unity;self.java -41;1404493234;6;Java vs Scala Divided We Fail;shipilev.net -4;1404484865;5;Help writing some basic programs;self.java -12;1404475925;8;Spring Social Facebook 2 0 0 M1 Released;spring.io -0;1404473008;3;new to java;self.java -2;1404453991;2;CVQuest feedback;self.java -2;1404424179;13;Everything Developer Need to Know About new Oracle WebLogic 12 1 3 Whitepaper;oracle.com -0;1404422688;7;How to switch between two class implementations;self.java -0;1404415928;12;Spring 4 CGLIB based proxy classes with no default constructor Codeleak pl;blog.codeleak.pl -1;1404414924;15;InfoQ s Matt Raible on Spring IO Platform news what it means to Java devs;infoq.com -0;1404412965;23;Why is Java the most popular language Why do Java programs have terrible UI s Can Java not use the Microsoft Windows look;self.java -8;1404411214;6;Developers Guide to Static Code Analysis;zeroturnaround.com -2;1404407222;8;Problems comparing strings that are supposedly the same;self.java -18;1404406644;28;Michael Vorburger s Blog v2 Java 8 null type annotations in Eclipse Luna v4 4 your last NullPointerException ever The End of the World as we know it;blog2.vorburger.ch -2;1404402697;6;Incompatible JVM Please help a newbie;self.java -8;1404396782;7;Eclipse Luna hangs in every other minute;self.java -57;1404390360;17;Web Development Using Spring and AngularJS Fifth Tutorial Released Spring Exceptions JSON Annotations and the ArgumentCaptor object;youtube.com -8;1404389831;6;Explicit vs Implicit configuration in Spring;literatejava.com -3;1404347709;10;Boncode IIS to Tomcat Connector alternative to Apache ISAPI plugin;tomcatiis.riaforge.org -1;1404347702;6;Help With Coding Priority Queues Java;self.java -2;1404338153;4;Help with magical code;self.java -2;1404337297;19;Beta2 of compile time model mapping generator MapStruct is out with support for Java 8 Joda Time and more;mapstruct.org -0;1404333760;3;Is Java safe;self.java -4;1404333268;9;How to send a webdriver to a javascript link;self.java -12;1404333140;10;Who else thinks that Eclipse Luna looks better on Ubuntu;imgur.com -24;1404328105;5;JAVA 4 EVER Official Trailer;youtube.com -4;1404325402;3;Thoughts on OrientDB;self.java -23;1404323835;4;Project Jigsaw Phase Two;mreinhold.org -8;1404323272;5;Mojarra 2 1 29 released;java.net -27;1404313816;14;You Want to Become a Software Architect Here is Your Reading List Jens Schauder;java.dzone.com -12;1404306483;6;Project Nashorn JavaScript on the JVM;blog.codecentric.de -0;1404304534;18;Are there any tutorials out there showing how you can create a Restful Webservice with Maven and Eclipse;self.java -91;1404289945;9;Why I not impressed by Luna s Dark Theme;imgur.com -3;1404270736;19;I have 50 to spend on books to learn Java and computer science in general What should I buy;self.java -0;1404269037;15;Web application simple and SPA simple page application using Spring MVC Thymeleaf Bootstrap Twitter Flight;apprenticeshipnotes.org -1;1404264832;14;Interview with Fred Guime organizer Chicago Java UG CJUG at GOTO Chicago 2014 UGtastic;ugtastic.com -12;1404245213;9;AnimateJSF a thin JSF library to animate JSF components;animatejsf.org -1;1404243717;14;Codelet Automated insertion of example code into JavaDoc using taglets Call for beta testers;self.java -1;1404242817;10;Yet another way to handle exceptions in JUnit catch exception;blog.codeleak.pl -5;1404242259;10;How to make Java more dynamic with runtime code generation;zeroturnaround.com -1;1404236527;7;Java EE IDE Which do you prefer;self.java -18;1404236490;6;What is the status of Swing;self.java -37;1404235843;9;Next major version of Gradle is out 2 0;reddit.com -1;1404235795;9;Anyone willing to help out with a Geotool issue;self.java -0;1404225145;7;Using Web Components in plain Java Blog;vaadin.com -19;1404210148;8;Widespread locking issue in log4j and logback appenders;plumbr.eu -35;1404183389;6;Open source java projects for beginners;self.java -4;1404174900;20;Beginner here just made a simple program to output random numbers and am proud of myself but have some questions;self.java -1;1404173657;11;Java Update 60 being interrupted every time I try to install;self.java -7;1404167108;5;Performance of Random nextInt n;self.java -2;1404152108;7;Spring Data release train Dijkstra SR1 available;spring.io -9;1404145750;8;Test Data Builders and Object Mother another look;blog.codeleak.pl -12;1404144528;7;Using websockets in Java using Spring 4;syntx.io -3;1404138843;9;Looking for suggestions to supplement my income with Java;self.java -55;1404136156;7;IntelliJ IDEA 14 Early Preview is Available;blog.jetbrains.com -0;1404135619;1;Java;self.java -0;1404132290;12;learn how to create website pages and forms with js and java;webix.com -5;1404130726;13;While comparing java web frameworks what would be the most relevant comparison points;self.java -0;1404127786;4;Des Lenses en Java;infoq.com -5;1404121396;4;Rest web service sample;javafindings.wordpress.com -2;1404119781;5;IDE specific shortcut for sysout;therdnotes.com -54;1404110302;12;Why Lingohub is switching from Ruby on Rails to Java Spring MVC;snip.ly -16;1404075755;8;Why is Spring MVC better than Servlets JSP;self.java -13;1404073934;4;java for game creation;self.java -13;1404073049;13;Java Weekly 2 JPA 2 1 Java8 JSR 351 Eclipse Luna and more;thoughts-on-java.org -10;1404069269;7;Apache Maven JAR Plugin 2 5 Released;maven.40175.n5.nabble.com -29;1404067402;22;Retrofit is a type safe REST client just define an interface with url templates and request bodies x post from r javapro;square.github.io -4;1404065398;8;Java Bean Introspector and Covariant Generic Returns 2012;znetdevelopment.com -1;1404061788;3;Conflicting String Methods;self.java -17;1404061696;7;Apache Tomcat 8 0 9 stable available;mail-archives.apache.org -3;1404058322;8;First release of Integration Testing from the Trenches;blog.frankel.ch -0;1404019728;6;JUnit Testing Private Methods and Fields;markreddy.ie -10;1403993506;6;Jasper Reports JRXML Iterating a list;self.java -2;1403982969;16;Java TIL You can break to an outer loop with a label x post r JavaTIL;reddit.com -0;1403950119;10;How to cast java io file to java lang class;self.java -18;1403941526;7;Bayou Async Http Server for Java 8;bayou.io -0;1403936076;15;A variable timer I wrote in my free time anyone see anything wrong with it;self.java -15;1403905043;4;Java web host recommendations;self.java -10;1403904406;7;nanobench Tiny benchmarking framework for Java 8;github.com -9;1403901592;5;Packaging PostgreSQL with Java Application;self.java -69;1403900575;9;What s some simple code that is really smart;self.java -27;1403899125;19;IntelliJ 14 EAP opens Code Coverage tool Structural Search and Replace and Type Migration refactoring part of Community Edition;blog.jetbrains.com -13;1403889628;6;Using Markdown syntax in Javadoc comments;mscharhag.com -4;1403888125;20;Web Development Using Spring and AngularJS Fourth Tutorial Released Covering Controller Development Integration of HATEOAS Support and The PathVariable Annotation;youtube.com -0;1403885699;13;Please give me the link torrent or direct to download JAVA Tutorial Videos;self.java -21;1403883244;5;Blog Introducing Spring IO Platform;spring.io -2;1403882157;11;Any Vaadin or Struts2 Developers that can answer a few questions;self.java -5;1403880946;7;IntelliJ not refreshing file statuses and diffs;self.java -2;1403873405;11;When do you like to take time to learn new tech;self.java -13;1403864789;19;Oracle WebLogic Server 12 1 3 is released with emphasis on HTML 5 apps JAX RS websocket JSON JPA;blogs.oracle.com -12;1403828033;10;Large projects How do you get up to speed quickest;self.java -0;1403810037;9;Selection from MySql using JDBC Xpost from r MySql;self.java -86;1403806257;5;Top 10 Eclipse Luna Features;eclipsesource.com -6;1403800079;12;Spring IO Platform releases a versioned cohesive Spring as a Maven BOM;spring.io -6;1403796343;5;Notes on False Sharing Manifestations;psy-lob-saw.blogspot.com -15;1403766524;6;Making operations on volatile fields atomic;vanillajava.blogspot.co.uk -9;1403766458;5;New Ribbon component in PrimeFaces;blog.primefaces.org -1;1403754120;23;Is it a common acceptable pattern to have a maven module just for model classes so that it can be shared between apps;self.java -2;1403751751;14;How to test for performance and issues of sharing a database with another app;self.java -0;1403751596;3;Updated Java Tutorials;coffeehouseprogrammers.com -3;1403748538;8;Service for Java Programming similar to Google Docs;self.java -3;1403743973;10;A modern testing and behavioural specification framework for Java 8;richardwarburton.github.io -2;1403737573;9;Help with action bar in eclipse Dev android tutorial;self.java -0;1403735463;8;Why should we dump the Java EE Standard;lofidewanto.blogspot.de -2;1403734492;5;Java EE Code Visualization Tools;self.java -0;1403732082;2;Learning Java;self.java -0;1403725689;25;Trying to generate thumbnails from an array of video files and I have no idea what library or how I would go about doing this;self.java -8;1403725585;4;Eclipse Luna and JDK8;jdevelopment.nl -0;1403724516;19;Spring Boot 1 1 2 available The Ease of Ruby Portability of Spring and the perfect BOYC PaaS container;spring.io -3;1403707635;15;Java class Packet contains array of objects of type Packet Please explain to Java newcomer;self.java -2;1403703010;6;Spring Batch Develop robust batch applications;blog.cegeka.be -109;1403701616;7;Eclipse 4 4 Luna is available now;download.eclipse.org -19;1403695451;8;An ultra lightweight high precision logger for OpenJDK;developerblog.redhat.com -10;1403692098;15;what specific types of apps are best to be developed on specific Java web frameworks;self.java -5;1403670508;7;Design consideration for sharing database between applications;self.java -2;1403655867;17;SpringOne2gGX 2014 Super Early Bird extended to June 30th Dallas TX Omni Hotel Sept 8 11 2014;springone2gx.com -32;1403649486;8;A library to generate PDF from JSON documents;github.com -20;1403641885;6;NetBeans IDE 8 0 Satisfaction Survey;netbeans.org -5;1403637963;12;Experienced C Ruby developer looking to get into Java looking for resources;self.java -0;1403623329;5;Writing a FastCGI listening socket;self.java -5;1403616640;5;Astyanax Connecting to multiple keyspaces;markreddy.ie -13;1403615109;5;starting open source scientific project;self.java -26;1403601401;10;New book Java EE 7 with GlassFish 4 Application Server;blogs.oracle.com -8;1403597768;6;Classes in the Java Language Specification;vanillajava.blogspot.co.uk -35;1403594660;11;Experiences with migrating from JBoss AS 7 to WildFly 8 1;jdevelopment.nl -18;1403584856;4;FizzBuzz and other Questions;self.java -0;1403541688;7;Is Java worth using for web applications;self.java -0;1403538481;5;How treemap works in java;javahungry.blogspot.com -48;1403535747;11;Get free Java stickers to show your love of the language;java.net -13;1403514486;7;Java Tools and Technologies Landscape for 2014;zeroturnaround.com -3;1403511752;8;Broadleaf Commerce Enterprise eCommerce framework based on Spring;github.com -1;1403511531;6;Apache PDFBox 1 8 6 released;mail-archives.apache.org -18;1403509903;9;Java Weekly 1 CDI Java8 Bean Validation and more;thoughts-on-java.org -10;1403505143;5;Netty with Forked Tomcat Native;netty.io -0;1403487393;3;Menu Bar help;self.java -0;1403466998;6;Can someone help me install eclipse;self.java -0;1403464832;7;The right bean at the right place;blog.frankel.ch -0;1403463953;8;Any Unique Software IDEA to Make Money Quickly;self.java -40;1403435976;8;CFV Project Valhalla Project Proposal by Brian Goetz;mail.openjdk.java.net -17;1403428031;5;Enhance your testing with Spock;thejavatar.com -2;1403424592;10;Modifying User s Input on Command Line with Java Code;self.java -4;1403387263;10;Tyche a simple way to make random junit test data;self.java -0;1403385444;5;Need help with this error;self.java -24;1403352604;16;Tweety A comprehensive collection of Java libraries for logical aspects of artificial intelligence and knowledge representation;tweetyproject.org -4;1403352541;10;Implementation of the Try Success Failure Scala API for Java;github.com -2;1403343445;13;It s not Spring anymore it s the summer of Java EE 7;nmpallas.wordpress.com -6;1403322889;9;Bridging the gap between Domain objects data and JavaFX;self.java -18;1403319095;9;What is a good road map for learning Java;self.java -0;1403297811;5;Embedding Perl 6 in Eclipse;donaldh.github.io -10;1403292347;7;Getting started with Java what s relevant;self.java -4;1403291864;6;AWS SDK For Java TransferManager Lifecycle;github.com -18;1403288878;5;e commerce website in java;self.java -11;1403286206;11;It shouldn t hurt to write Command Line Applications in Java;news.ycombinator.com -4;1403275317;18;Zipkin is a distributed tracing system for gathering timing data from distributed architectures x post from r javapro;github.com -12;1403272430;8;Boston area developers JUDCon2014 Boston is next week;developerblog.redhat.com -4;1403269511;18;Web Development Using Spring and AngularJS Third Tutorial Released Covering Jackson Configuration and The Spring MVC Test Framework;youtube.com -8;1403264493;9;The Best Java 8 Resources Your Weekend is Booked;blog.jooq.org -56;1403256867;17;The complete Java Tools and Technology Landscape for 2014 report data in a single mind map image;zeroturnaround.com -2;1403231258;13;How to run javascript code in JavaFx WebView after the page is loaded;self.java -3;1403223728;8;Joins and Mapping many to many in jOOQ;self.java -18;1403219355;10;You think you know everything about CDI events Think again;next-presso.com -6;1403217536;6;Alternative to AWS SDK for Java;self.java -0;1403216787;5;Best way to learn Java;self.java -6;1403201420;8;Help with a project making a video game;self.java -4;1403197310;8;From C to Java to Android Application Development;self.java -8;1403180284;3;Where to now;self.java -17;1403179829;3;Hibernate Search reindexing;self.java -3;1403179183;5;System Tray popup menus Win7;self.java -10;1403156642;3;newFixedThreadPool implementation question;self.java -0;1403155987;14;Why do people keep asking if I m interviewing when asking for java help;self.java -0;1403155389;10;How can I detect if one image collides with another;self.java -0;1403154576;15;Why can I not detect intersection in paint method with one object but not another;self.java -1;1403153008;5;Error when making Celsius Converter;self.java -1;1403152328;6;Best Books or article about Spring;self.java -0;1403144178;9;Using Netbeans table and populating with data form database;self.java -0;1403134212;3;Question about Netbeans;self.java -0;1403134180;7;How to detect collision with another image;self.java -39;1403132972;12;Javascript for Java Developers a dive into the language most unusual features;blog.jhades.org -2;1403120866;17;OpenJDK Panama new connections between the Java virtual machine and well defined but foreign non Java APIs;mail.openjdk.java.net -6;1403109937;7;Top seven Java 8 Books in 2014;codejava.net -5;1403101471;7;gonsole weeks content assist for git commands;codeaffine.com -4;1403098643;8;Java Build Tools Ant vs Maven vs Gradle;technologyconversations.com -5;1403095620;5;Rectangle class java lang Object;self.java -0;1403095409;9;How to put a java game on a website;self.java -10;1403092055;12;Dad asked me to help him out Need advice on how to;self.java -55;1403082403;16;How your addiction to Java 8 default methods may make pandas sad and your teammates angry;zeroturnaround.com -0;1403064406;6;Character Class isDigit char hc question;self.java -37;1403046353;7;An interactive Java tutorial for complete beginners;ktbyte.com -2;1403034696;10;Java Application Architecture Tutorial 1 Wiring up The Spring Framework;youtube.com -5;1403031105;2;Best IDE;self.java -28;1403000615;6;Force inline Java methods with annotations;nicoulaj.github.io -2;1402986356;6;Help with using RescaleOp and BufferedImage;self.java -0;1402953491;2;ELI5 OSGi;self.java -2;1402951164;6;Most Popular Programming Languages of 2014;blog.codeeval.com -48;1402941519;11;Happiest Jobs For The Class Of 2014 Java Dev No 1;forbes.com -8;1402939999;22;Just released my second tutorial on web development using Spring and AngularJS I m covering the basics of JUnit Mockito and TDD;youtube.com -6;1402935974;6;Making Java secure at the JVM;networkworld.com -87;1402932445;11;Eclipse Luna 4 4 is almost here June 25 release date;projects.eclipse.org -0;1402927241;7;Why Abstract class is Important in Java;java67.blogspot.sg -6;1402910661;6;faster way to compare file contents;self.java -2;1402905353;25;Byte Buddy is a code generation library for creating Java classes during the runtime of a Java application and without the help of a compiler;bytebuddy.net -4;1402897640;10;I need help accessing an existing excel document in java;self.java -78;1402897094;5;9 Fallacies of Java Performance;infoq.com -21;1402878654;20;Are you new to Java Link to in progress java tutorial site I will teach everything from scratch starting now;coffeehouseprogrammers.com -6;1402870092;11;Lag and unexpected movement when moving object in JFrame implementing Runnable;self.java -0;1402866455;10;need help debugging small bit of code dealing with parse;self.java -2;1402863386;7;HttpComponents Client 4 3 4 GA Released;mail-archives.apache.org -4;1402863293;6;Apache Continuum 1 4 2 Released;mail-archives.apache.org -5;1402860721;5;Resources about optimizing Java code;self.java -1;1402853280;9;Is there a shortcut for x post r eclipse;reddit.com -1;1402847126;7;Help Imported Image not appearing in JFrame;self.java -15;1402845149;7;Should I migrate from GlassFish to Tomcat;self.java -18;1402842049;3;The Stream API;blog.hartveld.com -4;1402835058;5;Machine for java web Dev;self.java -4;1402830413;6;33 Most Commons Spring MVC Tutorials;programsji.com -0;1402823077;7;What does mean in between return values;self.java -6;1402822877;10;Looking for recommendations on advanced Unit Integration and Behavioral testing;self.java -1;1402785510;13;Integration testing with Arquillian and CDI support deployed into Tomcat 7 application server;codelook.com -46;1402778163;4;Why Java over C;self.java -19;1402777116;7;Packaging by Feature versus Packaging by Layer;javapractices.com -0;1402774940;1;Programming;self.java -5;1402770723;19;Looking for some old posts about some reports on how used are some technologies and can t find them;self.java -17;1402762935;9;JavaFX Why it matters even more with Java 8;justmy2bits.com -0;1402757417;13;Psychosomatic Lobotomy Saw Advice for the concurrently confused AtomicLong JDK7 8 vs LongAdder;psy-lob-saw.blogspot.sg -5;1402754877;15;Netty 4 0 20 Final released and Netty 3 9 2 Final CVE 2014 3488;netty.io -17;1402754263;10;Hotswap agent provides Java unlimited runtime class and resource redefinition;hotswapagent.org -17;1402750493;10;Extractors a Java 8 abstraction for handling possibly absent values;codepoetics.com -4;1402729626;5;Get images from r EarthPorn;self.java -4;1402722262;4;IP address and java;self.java -2;1402710604;16;How to read a text file from an imported file within the same project in Eclipse;self.java -8;1402707863;10;What is was so great about Apache Struts and Tiles;self.java -4;1402706369;8;How to get familiar with coding in eclipse;self.java -13;1402694972;8;10 Subtle Mistakes When Using the Streams API;blog.jooq.org -34;1402694232;21;Is Java the most prevalent language in the finance world And how does it compare to Scala for that use case;self.java -2;1402690936;8;Help with putting JLabels into ArrayLists in NetBeans;self.java -0;1402688023;21;Q I accidentally deleted my input console I am new to eclipse and I can t seem to get it back;self.java -2;1402685053;5;Android lt gt iOS implementation;self.java -4;1402672770;8;Border Collision Question taking object size into account;self.java -26;1402671999;7;Where to Deploy small Java Web apps;self.java -3;1402667044;13;Questions about a Java Test Game keylistener paint paint component Image Graphic repaint;self.java -0;1402665667;14;How to do remote profiling if you have only console access to remote machine;blog.knoldus.com -15;1402662456;8;Implement Validation Using JSR 303 Annotations in Spring;codeproject.com -16;1402633447;2;count logic;self.java -15;1402610581;6;Apache Ant tasks for JMX access;peter-butkovic.blogspot.de -8;1402609902;25;I m new to Java and decided to try start a cipher encoder decoder I currently have one cipher supported and feedback is much appreciated;self.java -0;1402589520;6;JDBC data import to Orchestrate DBaaS;orchestrate.io -15;1402581051;4;Exercises for Java 8;self.java -20;1402564857;10;Advice for the concurrently confused AtomicLong JDK7 8 vs LongAdder;psy-lob-saw.blogspot.com -3;1402527442;11;Why won t the Mac version of Chrome support Java 7;self.java -1;1402525502;5;The jwall tools ModSecurity Toolbox;jwall.org -3;1402525166;6;Jetty 9 2 1 v20140609 Released;jetty.4.x6.nabble.com -0;1402509668;8;RSS Reader Using ROME Spring MVC Embedded Jetty;eyalgo.com -0;1402508865;14;How to do remote profiling if you have only console access to remote machine;dzone.com -0;1402496691;5;Print Diagnostics with Struts2 issue;self.java -0;1402496178;6;How to Install Apache Tomcat 7;youtu.be -0;1402495694;7;A Playful Eye for the JEE Guy;mbarsinai.com -6;1402493995;5;Mojarra 2 2 7 released;java.net -3;1402490324;3;Structuring JavaFX applications;yennicktrevels.com -14;1402486493;6;Java Thumbnail Generator ImageScalar vs ImageMagic;paxcel.net -0;1402484359;13;How to Set Up Apache Tomcat v 7 with Eclipse IDE using WTP;youtu.be -1;1402478334;12;Discover How to Set Up Apache Maven with Eclipse IDE and m2e;youtu.be -0;1402476923;9;Troubleshooting Apache Maven amp Eclipse WTP Web Tools Platform;youtu.be -12;1402473117;7;Feedback for an aspiring JEE software developer;self.java -0;1402443512;13;I need to see if these two Java games work on your computer;self.java -1;1402419084;9;Need some help on java doc rtf pdf generation;self.java -0;1402415274;12;Can you convert Inkscape s svg file to a png in java;self.java -35;1402411432;11;Check out and provide feedback for my java concurrency library Threadly;self.java -16;1402410944;7;A beginner s guide to Hibernate Types;vladmihalcea.com -5;1402409849;13;JetBrains Newsletter June 2014 0xDBE Brand New IDE for DBAs and SQL Developers;info.jetbrains.com -2;1402407901;4;Continuous Delivery Unit Tests;technologyconversations.com -0;1402399146;11;Export CSV and Excel from Java web apps With Data Pipeline;northconcepts.com -1;1402391852;12;Create Auto Refreshing Pie Chart Bar Chart in Servlet dynamically using JFreeChart;simplecodestuffs.com -49;1402390722;9;All java lang OutOfMemoryErrors with causation examples and solutions;plumbr.eu -16;1402387297;5;JDK8 Lottery Davy Van Roy;jacobsvanroy.be -12;1402375835;10;Lambda A Peek Under the Hood must watch very technical;techtalkshub.com -1;1402369477;14;Dynamic Dependent Select Box using JQuery and JSON in JSP amp Servlet via Ajax;simplecodestuffs.com -3;1402369268;13;What are your favorite HTTP clients and how do you handle path parameters;self.java -4;1402336044;8;AJAX implementation in JSP and Servlet using JQuery;simplecodestuffs.com -25;1402333086;10;TIL an important difference with frame pack vs frame validate;self.java -0;1402329124;9;A single simple rule for easier Exception hierarchy design;blog.frankel.ch -0;1402326936;9;A single simple rule for easier Exception hierarchy design;blog.frankel.ch -0;1402325600;6;Introduction to Play 2 for Java;informit.com -20;1402324304;5;Best way to distribute programs;self.java -1;1402317880;6;Good place to start learning Java;self.java -12;1402302883;10;Clean up your kids toy box with the loan pattern;self.java -0;1402298070;14;Could someone explain the purpose of constructors and method parameters in somewhat simple terms;self.java -8;1402297879;7;Java basic medium topics resources for programmers;self.java -7;1402295973;9;OpenJDK Sumatra Project Bringing the GPU to Java TechTalksHub;techtalkshub.com -4;1402295616;9;Java Heap Dump Analysis using Eclipse Memory Analyzer MAT;simplecodestuffs.com -0;1402278743;2;Java help;self.java -33;1402249787;10;Looking for tutorials exercises to practice more advanced Java topics;self.java -7;1402218043;6;Version Control Best Practices from Rainforest;java.dzone.com -1;1402204578;6;Concept associated with web service technology;simplecodestuffs.com -14;1402195031;7;JenkinsCI User Conference 6 18 in Boston;jenkins-ci.org -0;1402190559;14;How can I use junit to unit test java code from the command line;self.java -0;1402187387;10;Any recommendations for a good ultra portable for Java programming;self.java -0;1402176640;13;Why does gradle run only seem to work from the Windows command line;self.java -24;1402176150;5;Safeguarding Against Java Remote Execution;blog.ktbyte.com -0;1402171232;10;World Life Without JAVA Please make it a real film;youtube.com -0;1402167156;3;Hibernate with Spring;softwarecave.org -10;1402164455;7;Help with comparing large amounts of Strings;self.java -0;1402131082;11;Can anyone help feeding a constructor from file into an array;self.java -10;1402124225;12;How to store security permissions roles and role permissions in source code;self.java -2;1402117114;6;Help with building upon Java fundamentals;self.java -14;1402105579;8;Choosing a project to motivate my learning process;self.java -24;1402100837;11;What s the quickest way to build a Java web app;self.java -0;1402092291;6;Can You Make Bots in Java;self.java -1;1402087368;8;Concept of Servlets Vs Concept of Struts 2;simplecodestuffs.com -2;1402078027;6;What is Web Services An Introduction;simplecodestuffs.com -27;1402069731;10;Hazelcast Redis equivalent in pure Java embeddable Apache 2 license;hazelcast.com -2;1402061391;8;Out of memory Kill process or sacrifice child;plumbr.eu -20;1402056239;10;Java 8 Friday JavaScript goes SQL with Nashorn and jOOQ;blog.jooq.org -7;1402053946;9;Spring Question about channels and gateways in Spring Integration;self.java -27;1402045686;7;Eclipse Key Shortcuts for Greater Developers Productivity;vitalflux.com -1;1402043352;12;AJAX based CRUD Operations in Java Web Applications using jTable jQuery plugin;simplecodestuffs.com -43;1402011500;12;New Tutorial Series How To Develop Web Applications Using Spring and AngularJS;youtube.com -18;1402010894;12;Why Java is used more than Python in big and medium corporations;self.java -9;1402002068;5;Java Database File Strategy Pattern;self.java -8;1402001766;13;xcmis An extensible implementation of OASIS s Content Management Interoperability Services CMIS specification;code.google.com -20;1402000512;9;Autocomplete in java web application using Jquery and JSON;simplecodestuffs.com -3;1401986233;5;Can anyone help with raycasting;self.java -0;1401981543;26;I want to improve but don t know how How can I make this code better or faster AFAIK it works perfectly Please help me improve;pastebin.com -9;1401977813;7;Android Resources concept for plain Java applications;self.java -8;1401974758;12;Why touch Leap Motion Controller and JavaFX A new touch less approach;jperedadnr.blogspot.com.es -15;1401973717;6;How does Spring Transactional Really Work;blog.jhades.org -1;1401958154;9;Problem while trying to accept input line by line;self.java -7;1401944197;10;Advice for implementing solr for a Spring based ecommerce application;self.java -7;1401940053;12;Does anyone know how to get an early access version of 7u65;self.java -17;1401937187;14;How much of an asset is the Oracle Certified Java Programmer on a resume;self.java -0;1401930030;18;Trying to figure out a program to take multiple longitude and latitude points and convert them to azimuth;self.java -21;1401927724;1;JavaMoney;javamoney.github.io -13;1401927229;8;How can I create a shortcut using Java;self.java -1;1401912634;13;Can I do complex fraction Echelon row reduction using Java Apache Math Library;self.java -0;1401910999;8;Massachusetts Undergrad Summer classes for object oriented design;self.java -0;1401893068;4;OmniFaces 1 8 released;balusc.blogspot.sg -52;1401883706;5;Twitter Scale Computing with OpenJDK;youtube.com -25;1401881508;5;Considering Learning Java Some Questions;self.java -20;1401880687;10;Which method of using Hibernate is the best mostly used;self.java -1;1401843841;6;Having difficulty with writing an algorithm;self.java -2;1401841513;5;Fun project idea for class;self.java -1;1401829809;11;Xcelite easily serialize and deserialize Java beans to from Excel spreadsheets;github.com -38;1401829745;16;Root Framework a game library written on top of LWJGL for the creation of 2D games;github.com -0;1401829322;5;javassist 3 18 2 GA;github.com -1;1401829185;6;HtmlUnit 2 15 Jun 2 2014;htmlunit.sourceforge.net -0;1401823195;10;Copying a JavaScript Button and send it as a link;self.java -0;1401820402;3;Introducing Spring Cloud;spring.io -3;1401818768;7;Java Training Classes Real Time Online Training;hotfrog.com -19;1401804030;19;Is your Eclipse compiler slow Eclipse Bug 434326 Slow compilation of test cases with a significant amount of generics;bugs.eclipse.org -5;1401803542;10;Building HATEOAS API with Spring MVC JAX RS or VRaptor;zeroturnaround.com -1;1401801278;8;Choosing a fast unique identifier UUID for Lucene;blog.mikemccandless.com -5;1401798560;5;gonsole weeks git init gonsole;codeaffine.com -1;1401778473;10;8 Great Java 8 Features No One s Talking about;infoq.com -29;1401771112;10;Eventhub An open source event analysis platform built in java;github.com -3;1401770523;9;Why is my JDK download always stuck on 99;self.java -0;1401747532;6;Headaches and questions from a Sysadmin;self.java -16;1401738971;11;New release of OmniFaces sees light of day OmniFaces 1 8;balusc.blogspot.com -27;1401723139;9;JDK 8043488 Improved variance for generic classes and interfaces;bugs.openjdk.java.net -16;1401721837;8;Unit Testing how do you guys stay organized;self.java -19;1401719772;4;OmniFaces 1 8 released;showcase.omnifaces.org -29;1401718412;3;Proper password storage;self.java -3;1401713654;20;This guy argues that having too many classes in Java is a bad thing and I couldn t agree more;javacodegeeks.com -7;1401702188;7;Java Maven Struts2 with MS SQL Headache;self.java -19;1401698067;8;Integrate Gulp And Grunt Into Your Maven Build;supposed.nl -9;1401691823;4;Keycloak Beta 1 Released;keycloak.jboss.org -0;1401686858;7;IE Ajax bug amp Spring MVC solution;dominik-mostek.cz -32;1401657855;13;Any thoughts resources general tips for getting the most out of IntelliJ IDEA;self.java -2;1401642406;16;How to have an android project and a dynamic web project running on the same spot;self.java -4;1401636725;7;Scala on Android and stuff lessons learned;blog.frankel.ch -17;1401629635;6;WildFly 8 1 0 Final released;community.jboss.org -46;1401607881;14;Do most java programmers use Eclipse other IDE rather than a simple text editor;self.java -0;1401562431;7;Spring MVC and interfaces of Service class;self.java -2;1401560513;4;How to compile OpenOMR;self.java -0;1401555476;5;How to Compile Audiveris code;self.java -0;1401550428;12;Using the variable value and not the variable itself on an object;self.java -1;1401549957;3;Java in XCode;self.java -0;1401549765;10;How to run your first Java Program in NetBeans IDE;youtube.com -2;1401502906;8;Is there a better way to do this;self.java -32;1401486547;20;Why are the official Hibernate 4 docs so grossly outdated and inaccurate And where can I find a better alternative;self.java -1;1401481633;6;Performance Tuning of Spring Hibernate Applications;blog.jhades.org -7;1401469445;8;Java 8 Friday Most Internal DSLs are Outdated;blog.jooq.org -0;1401468036;5;This applet is so 2001;self.java -3;1401466357;10;After a Decade I m Coding for the VM again;medium.com -20;1401464765;29;I d like to build a modern web app using Java Based on my experience what do you think is a next good step to learn to do that;self.java -4;1401458365;7;Adding SSE support in Java EE 8;blogs.oracle.com -3;1401455872;7;Check out my first ever Java project;pilif0.4fan.cz -5;1401452719;5;Simple and fast logging framework;self.java -0;1401450543;7;Strange Rendering behaviour bug with JavaFX ListView;self.java -76;1401448197;10;8 Great Java 8 Features No One s Talking about;infoq.com -0;1401388255;18;x post from r programming Are you Java or Scala Developer Use Takipi real time code analysis technology;techmafia.net -1;1401376647;12;Policy question can more than one URL be added to a codebase;self.java -2;1401319981;23;Common Simulator is a library to create any simulator which uses field based message such as ISO 8583 message or properties like message;github.com -2;1401319479;4;When to use SharedHashMap;github.com -8;1401318985;11;Apache Tomcat 7 0 54 amp 6 0 41 released CVEs;mail-archives.apache.org -8;1401318391;4;spinoza Lenses for Java;github.com -16;1401318329;18;Rekord Type safe records in Java to be used instead of POJOs Java beans maps or value objects;github.com -7;1401310656;12;Need suggestions on some kind of documentation gathering system for this situation;self.java -0;1401304987;14;Generate a sequence of numbers 1 1 2 2 3 3 1 1 etc;self.java -11;1401300316;8;Hibernate Debugging Finding the Origin of a Query;blog.jhades.org -10;1401297487;16;Are there any open source efforts to create a Java wrapper library for the Steam SDK;self.java -9;1401296118;5;Reccomend Good Tutorials for EJB;self.java -3;1401293051;5;Question about thread safe lists;self.java -18;1401288043;11;The data knowledge stack Concurrency is not for the faint hearted;vladmihalcea.com -39;1401281199;8;Get Started With Lambda Expressions in Java 8;blog.stackhunter.com -15;1401278618;8;CDI 2 0 Survey on proposed new features;cdi-spec.org -22;1401262287;10;Would it be useful to create interfaces for immutable collections;self.java -3;1401256066;15;Why is the correct answer A and B Shouldn t ob have access to finalize;imgur.com -5;1401236001;5;Graphing and Statistical Analysis APIs;self.java -2;1401219571;4;Open Source Java Projects;self.java -23;1401217707;9;Typetools Erasure defeated almost Tools for resolving generic types;github.com -1;1401216107;5;Need help with a program;self.java -14;1401199708;31;As somebody who never programmed in Java and wants to learn from scratch what s a good resource to do so particularly taking advantages of the new features of Java 8;self.java -14;1401197620;7;PrimeFaces 5 0 New JSF Component Showcase;primefaces.org -21;1401197275;8;Why use SerialVersionUID inside Serializable class in Java;javarevisited.blogspot.sg -0;1401181391;14;CodenameOne 1 Java code to run natively on iOS Android Win RIM and Desktop;codenameone.com -0;1401157313;3;Object array construction;self.java -1;1401152623;2;Seeking mentor;self.java -0;1401148212;1;JNA;self.java -4;1401128587;5;My summary of JEEConf 2014;blog.frankel.ch -0;1401126072;5;Recommendation on where to start;self.java -3;1401118647;15;How to move columns from one CSV file into another CSV file using Data Pipeline;northconcepts.com -27;1401116953;4;Java Multiplayer libgdx Tutorial;appwarp.shephertz.com -1;1401113656;6;Most efficient way to learn Java;self.java -11;1401111565;4;Quicksort and Java 8;drew.thecsillags.com -2;1401070881;9;Instantiating an object randomly between multiple triple nested classes;self.java -33;1401065265;11;RoboVM Write IOS app natively in Java Apache License v2 0;robovm.com -94;1401062046;6;Why is choice B not valid;imgur.com -6;1401053464;6;Netty GZip compression problem and question;self.java -0;1401030341;5;What is a SEC page;self.java -18;1400995743;7;Spring Hibernate improved SQL logging with log4jdbc;blog.jhades.org -23;1400891255;7;RoaringBitmap A better compressed bitset in Java;github.com -38;1400887888;6;Apache Commons Math 3 3 Released;mail-archives.apache.org -2;1400887358;5;Tupl The Unnamed Persistence Library;github.com -18;1400881569;12;Techonology Radar advises against the use of JSF Primefaces team reply inside;self.java -16;1400873821;5;GlassFish 4 0 1 Update;blogs.oracle.com -15;1400849943;9;Spring Web Services 2 2 0 introduces annotation support;spring.io -10;1400831502;5;Good source for Physics applets;self.java -10;1400824552;5;Spring Security blocking PUT POST;self.java -1;1400816788;5;Soft Light Mode for images;self.java -6;1400805941;6;iOS for Java Developers full talk;techtalkshub.com -7;1400803926;9;Java Coding Contest Program a Bot and Win Prizes;learneroo.com -102;1400795519;8;Java is now the leader on Stack Overflow;stackoverflow.com -6;1400792155;7;My new super fast distributed messaging project;github.com -11;1400787190;8;Pitfalls of the Hibernate Second Level Query Caches;blog.jhades.org -26;1400785472;15;Why is Eclipse generating argument names as arg0 arg1 arg2 in methods when implementing interfaces;self.java -0;1400784339;4;worries worries worries worries;self.java -6;1400775937;6;Hibernate Tutorial using Maven and MySQL;javahash.com -8;1400774261;8;JRebel is like HotSwap made by Walter White;zeroturnaround.com -1;1400774231;16;1 hour infoq presentation Using Invoke Dynamic to Teach the JVM a New Language Perl 6;infoq.com -1;1400774134;5;Clojure Kata 3 Roman Numerals;elegantcode.com -0;1400773586;4;Whats wrong with this;self.java -0;1400764946;10;Question How to display an image depending on certain data;self.java -2;1400764075;4;Need help unencrypting password;self.java -1;1400763519;5;Which runtime exception to throw;self.java -1;1400759541;9;69 Spring Interview Questions and Answers The ULTIMATE List;javacodegeeks.com -27;1400758339;8;Employers want Java skills more than anything else;infoworld.com -150;1400750221;9;115 Java Interview Questions and Answers The ULTIMATE List;javacodegeeks.com -5;1400746817;17;are there any AI expert systems or similar for teaching people to code in Java or SQL;self.java -5;1400731678;8;Help with GUI project dice game called Pigs;self.java -0;1400725616;26;I m taking a test that will determine if I can go to AP Computer Science next year Does anyone know a good way to practice;self.java -0;1400698955;9;Anyone looking for a job in the IT industry;self.java -3;1400684551;12;Could anyone recommend a best practice for connecting to a REST service;self.java -2;1400684313;8;Java C Programmers need help with your resume;self.java -6;1400683050;17;Looking for a UI Component preferably JavaFX don t know its name but here s a picture;self.java -15;1400677566;7;Spring Data Release Train Dijkstra Goes GA;spring.io -22;1400675495;7;Java Tools and Technologies Landscape for 2014;zeroturnaround.com -6;1400673404;6;How to end reading from console;self.java -3;1400651540;10;Interview with Tim Bray co inventor of XML at GOTOchgo;ugtastic.com -11;1400651494;5;Repeating annotations in Java 8;softwarecave.org -0;1400642071;15;Java beginner here Just trying out a simple program Is this right very simple program;self.java -28;1400641499;6;Initial Java EE 8 JSR Draft;java.net -13;1400624467;9;Xsylum XML parsing and DOM traversal for the sane;github.com -14;1400623832;7;Erlang OTP style object supervision for Java;github.com -4;1400618004;29;I use Struts 2 and Tiles in Eclipse and I d like to know if there is a plugin way to expose the borders between tiles on my project;self.java -9;1400614345;9;Anyone have personal experience with the Quasar Java library;self.java -0;1400606685;8;Configuring Spring Security CAS Providers with Java Config;self.java -2;1400602847;6;Where do I go from here;self.java -0;1400599152;6;Mid Level Java Developer Opportunity MN;self.java -9;1400590549;4;Async Servlets in Java;jayway.com -0;1400572260;7;Hiberanate 4 Tutorial using Maven and MySQL;javahash.com -3;1400561985;5;Understanding Polymorphism in Java Programming;tutorialspoint.com -1;1400549438;4;Help with applet code;self.java -41;1400527554;2;Better Java;blog.seancassidy.me -9;1400518816;4;Any alternatives to JOOQ;self.java -5;1400515638;13;RemoteBridge released access and modify Java objects in third party applications and applets;nektra.com -1;1400513726;9;Why Software Doesn t Follow Moore s Law Forbes;forbes.com -3;1400512142;7;Groovy language features case study with Broadleaf;broadleafcommerce.com -15;1400512096;10;When and why to use StringBuilder over operator and StringBuffer;java-fries.com -6;1400510079;25;EJB JAX WS Is it better to put business logic into a separate session bean and have JAX WS implementation class calling the session bean;self.java -16;1400507347;14;JBoss EAP 6 3 Beta Released WebSockets Domain recovery New console homepage Improved Security;blog.arungupta.me -0;1400494488;12;How do you map a Map lt String MyObject gt using Hibernate;self.java -0;1400460600;4;Tower Defense ScratchForFun help;self.java -2;1400458434;13;Is there a scripting interface for Java similar to Script CS or Cshell;self.java -6;1400450020;8;Java 8 Is An Acceptable Functional Programming Language;codepoetics.com -2;1400432663;4;Java Tower Defense Problems;self.java -42;1400431667;26;I m an experienced software engineer tho not in Java Which are good open source Java projects to get involved in for building my Java experience;self.java -0;1400423240;7;Dead simple API design for Dice Rolling;blog.frankel.ch -17;1400421372;13;Programming Language Popularity Chart Java ranks in as the 2 most popular language;langpop.corger.nl -0;1400407011;3;Incompatible types issue;self.java -0;1400378511;8;Best Video Tutorials To Learn Android Java Development;equallysimple.com -8;1400359165;12;JFRAME Window Creating in Eclipse and setup of Eclipse NEW TUTORIAL SERIES;youtube.com -0;1400350617;5;Help with making a diamond;self.java -2;1400347474;7;Java next Choosing your next JVM language;ibm.com -0;1400329298;4;Java APIs for Developers;geektub.com -44;1400328989;13;How To Design A Good API and Why it Matters Joshua Bloch 2007;youtube.com -5;1400328104;7;Avoid over provisioning fine tuning the heap;plumbr.eu -9;1400317655;5;Defining and executing text commands;self.java -7;1400308250;4;OpenJPA 2 3 0;mail-archives.apache.org -17;1400307913;14;Java Type Erasure not a Total Loss use Java Classmate for resolving generic signatures;cowtowncoder.com -5;1400307873;21;StoreMate building block that implements a simple single node store system to use as a building block for distributed storage systems;github.com -0;1400296427;8;What are oracle gonna do client side java;self.java -0;1400287460;4;Help Comment Some Code;self.java -9;1400275077;6;Open Session In View Design Tradeoffs;blog.jhades.org -14;1400263931;11;Sneak Preview The 14 Leading Java Tools amp Technologies for 2014;zeroturnaround.com -2;1400254084;9;Excelsior JET and libGDX Help fund Save Life Foundation;badlogicgames.com -0;1400252445;11;Sneak Preview The 14 Leading Java Tools amp Technologies for 2014;dzone.com -10;1400249372;10;JRE7 Any alternatives to jar signing for intranet enterprise systems;self.java -9;1400237387;11;Writing Java Socket HTTP Server Chrome thinks the request is empty;self.java -2;1400227411;11;Issues with Inverted Comma while parsing csv x post r javahelp;reddit.com -27;1400227068;7;Java performance tuning guide high performance Java;java-performance.com -2;1400216781;6;Dynamic Tuple Performance On the JVM;boundary.com -0;1400206060;5;Beginner Problem DrawingPanel in Java;self.java -5;1400193268;5;Modern Spring 4 0 demos;self.java -2;1400192076;5;XWiki 6 0 is released;xwiki.org -2;1400191815;7;Apache Commons Compress 1 8 1 Released;mail-archives.apache.org -6;1400191745;6;Apache Jackrabbit 2 8 0 released;mail-archives.apache.org -10;1400188831;4;Flux new IDE deployment;projects.eclipse.org -69;1400172881;10;An Opinionated Guide to Modern Java Part 3 Web Development;blog.paralleluniverse.co -2;1400170110;6;JLabel text won t align properly;self.java -4;1400169899;10;Minnesota becomes first to sign smartphone kill switch into law;androidcommunity.com -6;1400169774;7;Is this possible to do with Java;self.java -21;1400168947;9;Interview with Aleksey Shipilev Oracle s Java Performance Geek;jclarity.com -0;1400168423;7;How to become an expert in Java;self.java -3;1400167735;6;Conclusions and where next for Java;manning.com -8;1400167309;8;Java Configuration A Proposal for Java EE Configuration;javaeeconfig.blogspot.com -6;1400159580;6;An open source JVM Sampling Profiler;insightfullogic.com -7;1400138735;7;Enum vs Constans java file in JAVA;self.java -1;1400105714;4;WindowBuilder for Java GUI;self.java -3;1400099441;9;Getting double values through a String for Rectangle constructor;self.java -69;1400092855;18;TIL enums can implement interfaces and each enum value can be an anonymous class x post r javatil;reddit.com -11;1400083886;21;Brian Goetz earmarka arrays and Value Types as burning issues to solve at conference keynote no mention of the modularity thing;jaxenter.com -0;1400076587;13;Find a number in the array having least difference with the given number;java-fries.com -0;1400075353;21;New Java 8 Optional sounds an awful lot like Guava s Optional I assume we can expect a judgement against Oracle;self.java -0;1400074258;7;Java 8 Optional What s the Point;huguesjohnson.com -37;1400062973;8;How to Use Java 8 s Default Methods;blog.stackhunter.com -0;1400018266;4;TextArea in java applet;self.java -1;1400015420;3;File Request Mac;self.java -2;1400010243;9;is XX UseCompressedOops enabled by default on 64bit JDK8;self.java -5;1399999689;7;Slab guaranteed heap alignment on the JVM;insightfullogic.com -53;1399997859;11;10 JDK 7 Features to Revisit Before You Welcome Java 8;javarevisited.blogspot.ca -4;1399997467;10;Load itextpdf OmniFaces and PrimeFaces as JBoss AS Wildfly Modules;hfluz-jr.blogspot.com -0;1399995315;7;Cyclic Inheritance is not allowed in Java;java-fries.com -9;1399990100;11;Too Fast Too Megamorphic what influences method call performance in Java;insightfullogic.com -84;1399987280;12;Why Oracle s Copyright Victory Over Google Is Bad News for Everyone;wired.com -12;1399986776;12;Java Explorer Code a Robot to Defeat Enemies and Reach the Goal;learneroo.com -5;1399980979;10;Liberty beta starting to add support for Java EE 7;ibmdw.net -5;1399978920;7;Why should Java developers adopt Java 8;zishanbilal.com -0;1399977097;6;Java 8 Features The ULTIMATE Guide;javacodegeeks.com -0;1399976279;3;Comparable and Comparator;kb4dev.com -2;1399959401;8;Proxy Servlet to Forward Requests to remote Server;blog.sodhanalibrary.com -0;1399958972;5;An idea for a program;self.java -1;1399957277;6;Modern imagining of an IRC api;self.java -29;1399950043;7;Java 8 Optional How to Use it;java.dzone.com -17;1399935996;8;Best place to learn about Spring Struts Hibernate;self.java -6;1399913310;7;HTTP responses with Jersey JAX RS noob;self.java -3;1399907884;5;A question about card layout;self.java -0;1399903119;8;Keeping Your Privates Private Java Access Modifiers Unleashed;codealien.wordpress.com -7;1399898613;19;Has anybody setup a Maven Nexus server at home to cache modules in your LAN Does it worth it;self.java -0;1399896115;12;Testing a secured Spring Data Rest service with Java 8 and MockMvc;blog.techdev.de -0;1399892429;6;Whats the difference in these two;self.java -3;1399882453;10;Is it a trap in JSON Processing API JSR 353;self.java -10;1399875681;4;Question about hashmap behaviour;self.java -1;1399874153;7;Big Modular Java with Guice old talk;techtalkshub.com -0;1399858921;3;Help one Homework;self.java -0;1399854796;12;Need help with creating one small java function Comp apps final tomorrow;self.java -6;1399839887;6;Where should I put SQL statements;self.java -3;1399829453;5;Ask Java Java XBee Library;self.java -0;1399828465;6;Looking for helpful sites learning Java;self.java -57;1399828048;10;Spark java re written to support Java 8 and Lambdas;sparkjava.com -15;1399822171;4;Assertion libraries for Java;self.java -14;1399820093;7;alpha OSv OS Virtualization for the JVM;osv.io -0;1399816999;16;Find max and min element of an unsorted array of integers with minimum number of comparisions;java-fries.com -0;1399798161;28;Given three strings str1 str2 and str3 find the smallest substring in str1 which contains all the characters in str2 in any order and not those in str3;java-fries.com -0;1399768860;8;Is there a way to declarate variables dynamically;self.java -0;1399760438;4;Entry point in maven;self.java -36;1399730203;2;Functional Thinking;techtalkshub.com -7;1399727295;2;SOAP Question;self.java -2;1399698566;14;Would anybody here by chance have a copy of jsdt src 2 2 zip;self.java -0;1399695992;7;Help for array inventories for rpg game;self.java -0;1399679664;8;Can t install 64 bit java onto computer;self.java -4;1399653745;7;Java 8 Friday Language Design is Subtle;blog.jooq.org -12;1399613994;9;Does your company send you for courses and training;self.java -0;1399610911;4;Help with learning java;self.java -0;1399604213;8;Interface in Java 8 Got Fancier Or Not;vitalflux.com -15;1399599580;16;What s the simplest most concise way to load an XML file from a remote server;self.java -9;1399584593;10;Working on a personal project and looking for peer input;self.java -1;1399581438;10;Facebook malware jar file but what does it actually do;self.java -2;1399570992;5;JavaFX on within Swing SIGSEGV;self.java -0;1399570609;3;Assertions in Java;softwarecave.org -24;1399569047;15;An Opinionated Guide to Modern Java Part 2 Deployment Monitoring amp Management Profiling and Benchmarking;blog.paralleluniverse.co -16;1399560115;36;I couldn t find a Zenburn color theme for the IntelliJ IDEA 13 that looked like the Emacs version so I made this one In my opinion its readability is much better than the Darcula theme;github.com -7;1399554606;17;JavaFX hangs at launch Is there some trick to getting JavaFX to work in Eclipse under OSX;self.java -32;1399548529;6;Most popular Java environments in 2014;plumbr.eu -52;1399539825;11;Can I do something with lambdas I couldn t do before;self.java -17;1399528062;5;Java Lambda Expressions by Examples;zishanbilal.com -10;1399528055;10;Ant 1 9 4 released with Java 1 9 support;ant.apache.org -0;1399526773;4;Confused over Java assignment;self.java -16;1399521289;22;Just finished a Semantic Versioning library for Java I tried to keep it short and practical let me know what you think;github.com -0;1399506911;14;I need a convenient way to run small demos for a library I write;self.java -4;1399501271;6;WebSocket in JBoss EAP 6 3;blog.arungupta.me -8;1399498499;11;How to simplify unit testing when a class uses multiple interfaces;drdobbs.com -12;1399490556;6;Java Related Certifications after SCJP OJP;self.java -3;1399480482;7;Where did the code conventions disappear to;self.java -8;1399480022;14;Starting a new Spring MVC project what directories files do you put in gitignore;self.java -4;1399477893;3;Pacman in Java;self.java -0;1399474557;17;I guess I m not buying this book if that s their idea of initializing a singleton;sourcemaking.com -7;1399473645;8;Continuous Integration with JBoss Fuse Jenkins and Nexus;giallone.blogspot.co.uk -14;1399469054;19;Excelsior JET AOT compiler pay what you can help charity enter draw for OS X version shipping in Sep;excelsior-usa.com -23;1399462344;6;What s New in PrimeFaces 5;beyondjava.net -22;1399461934;22;Just updated my ADT4J library Algebraic Data Types for Java I think it s in pretty good shape and is already useful;github.com -12;1399449668;7;Simplest Example of Dynamic Compilation in Java;pastebin.com -14;1399446265;4;Intermediate level Java Books;self.java -10;1399436074;2;Java Conferences;self.java -15;1399432206;6;Lambda Expressions Examples using Calculator Implementation;vitalflux.com -0;1399431636;21;How do I export my java project to exe so my friends can play my game that don t have eclipse;self.java -15;1399423409;3;Linear Equation Solver;self.java -0;1399416486;13;How do I put a command line argument when running from an IDE;self.java -0;1399410768;6;Best job search method in NYC;self.java -8;1399405044;8;drawImg extremely slow on Windows fast on Linux;self.java -0;1399401181;6;I need help fixing My Program;self.java -2;1399390119;12;Discussion Is it always better to use one actionlistener for multiple buttons;self.java -8;1399388340;12;Intro to Java 8 features and some Chicago blues w Freddy Guime;learnjavafx.typepad.com -4;1399387120;11;Does OCA SE 7 require you to take a special course;self.java -2;1399385524;5;JFrame not always on top;self.java -8;1399385190;8;Clojure Leiningen and Functional Programming for Java developers;zeroturnaround.com -6;1399373380;9;Ditch Container Managed Security To Create Portable Web Apps;blog.stackhunter.com -3;1399367788;8;Tutorial How To Change The Cursor in JavaFX;blog.idrsolutions.com -57;1399367209;6;About Unit Test By Martin Fowler;martinfowler.com -3;1399348518;8;Rendering Jframe to different resolutions without resizing it;self.java -5;1399344213;6;EJB 3 0 vs Spring Framework;self.java -0;1399343351;17;Why won t it recognize a class in my directory when I try to compile a file;self.java -17;1399332174;4;Clarifying Java Web Development;self.java -6;1399325907;7;Help with creating a Netflix like interface;self.java -0;1399321592;12;My if else conditionals are not working What am I doing wrong;self.java -0;1399319325;4;Need help regarding JProgressBars;self.java -3;1399308490;7;Design suggestions for secure internal web services;self.java -5;1399306600;13;An authoritative answer why final default methods are not allowed in Java 8;stackoverflow.com -0;1399306584;7;Can Someone explain to me package mainGame;self.java -26;1399302913;5;Comparing Maven features in Gradle;broadleafcommerce.com -2;1399302705;5;Annotated Java Monthly April 2014;blog.jetbrains.com -0;1399282872;7;How do you import static in Eclipse;codeaffine.com -6;1399279624;7;How do you test equals and hashCode;codeaffine.com -54;1399276580;13;An authoritative answer why synchronized default methods are not allowed in Java 8;stackoverflow.com -14;1399275947;3;libgdx packr GitHub;github.com -2;1399262618;9;Taking Computer Science AP test on Tuesday any tips;self.java -2;1399253555;9;Accessing Java Applets from HTML pages with Java code;self.java -0;1399222013;4;Playing with Java constructors;blog.frankel.ch -9;1399214520;6;Recommendations for a Complete Java Handbook;self.java -6;1399203927;10;Java ME 8 Getting Started with Samples and Demo Code;terrencebarr.wordpress.com -4;1399186323;14;What is the reason why final is not allowed in Java 8 interface methods;stackoverflow.com -1;1399172849;4;Java game on ios;self.java -1;1399143767;6;Apache PDFBox 1 8 5 released;mail-archives.apache.org -2;1399143706;5;Optic Dynamic data management fw;github.com -32;1399143601;3;High Availability JDBC;ha-jdbc.github.io -2;1399140243;4;Pattern Matching in Java;benjiweber.co.uk -0;1399091308;3;Java Language Enhancements;zishanbilal.com -24;1399088145;11;OpenJDK 1 6 b30 causes severe memory leaks Fixed in b31;java.net -4;1399073321;4;Some questions about JavaFX;self.java -5;1399062939;5;Project to help learn java;self.java -5;1399060986;6;RestX the lightweight Java Rest framework;restx.io -1;1399047960;6;Tutorial Intro to Rich Internet Application;self.java -1;1399045454;3;Concurrency design question;self.java -2;1399041966;7;Lambda expression and method overloading ambiguity doubts;stackoverflow.com -3;1399038605;8;How to make GUI suitable for more languages;self.java -10;1399036306;4;Custom annotations in Java;softwarecave.org -31;1399032039;4;Java 8 Nashorn Tutorial;winterbe.com -79;1399020104;15;Value types for java an official proposal by John Rose Brian Goetz and Guy Steele;cr.openjdk.java.net -2;1399013529;17;XALANJ 2540 Very inefficient default behaviour for looking up DTMManager affects all JDKs when working with XML;issues.apache.org -0;1398992558;6;Java Dijkstra s algorithm NEED HELP;self.java -0;1398965899;6;Programador Java Senior Oferta de empleo;self.java -15;1398965772;9;JEP proposal Improved variance for generic classes and interfaces;mail.openjdk.java.net -2;1398962713;13;Difference between Connected vs Disconnected RowSet in Java JDBC 4 1 RowSetProvider RowSetFactory;javarevisited.blogspot.sg -90;1398962461;14;Not Your Father s Java An Opinionated Guide to Modern Java Development Part 1;blog.paralleluniverse.co -4;1398959353;5;Netty 4 0 19 Final;netty.io -10;1398959239;17;Undertow JBoss flexible performant web server providing both blocking and non blocking API s based on NIO;undertow.io -3;1398916101;8;RabbitMQ is the new king Spring AMQP OpenCV;techtalkshub.com -0;1398914643;7;Need help with my MP3 player applet;self.java -16;1398908691;6;java awt Shape s Insidious Insideness;adereth.github.io -11;1398906824;6;The cost of Java lambda composition;self.java -2;1398895888;6;Need Help With my JFrame Code;self.java -6;1398895119;19;I wrote a game framework for making Java games I have no idea what to add next any ideas;github.com -3;1398865880;11;How to switch to the Java ecosystem What technologies to learn;self.java -2;1398864047;4;Professional connection pool sizing;vladmihalcea.com -0;1398861910;4;Building GlassFish from Source;blog.c2b2.co.uk -7;1398847262;7;REST development with intelliJ missing WebServices plugin;self.java -19;1398834226;12;In case you need some motivation when you run into a bug;youtube.com -2;1398813499;14;Does anyone have any experience with javax sound midi and or its Sequence class;self.java -1;1398813061;3;Ganymed ssh 2;code.google.com -0;1398811089;6;Sorting a list of objects alphabetically;self.java -4;1398800312;15;Having trouble using SOAP services that rely on common objects Is there a work around;self.java -6;1398785185;4;Modern Java web stack;self.java -0;1398778350;4;JAVA PRINT 1 2;javaworld.com -6;1398778269;11;Java 8 Stream API Examples Filter Map Max Min Sum Average;java67.blogspot.sg -4;1398774447;4;IntelliJ IDEA UI Designer;self.java -53;1398773713;6;Java equals or on enum values;flowstopper.org -9;1398769695;6;Design Pattern By Example Decorator Pattern;zishanbilal.com -2;1398764451;4;Understanding how Finalizers work;plumbr.eu -0;1398756092;27;I want to learn how to use Java I am brand new to this field Can you recommend tutorials websites books to use to optimise my education;self.java -5;1398742577;6;So who is already using lambdas;self.java -6;1398732130;6;Do you cast often in Java;self.java -3;1398730504;3;Insertion Sort Help;self.java -6;1398701264;4;Annotation basics in Java;softwarecave.org -50;1398700260;5;What Makes IntelliJ IDEA Different;medium.com -7;1398692850;8;Putting Kotlin MongoDB Spring Boot and Heroku Together;medium.com -0;1398658577;4;Updating between two panels;self.java -21;1398657887;6;Java Code Style The Final Decision;codeaffine.com -13;1398646735;3;Worlds Of Elderon;self.java -2;1398632257;15;So I made a one method text based game of rock paper scissors lizard Spock;self.java -2;1398613968;11;Jaybird 2 2 5 is released with support for Java 8;jaybirdwiki.firebirdsql.org -157;1398603014;9;What subreddits should a software developer follow on reddit;self.java -5;1398602567;4;The Visitor design pattern;blog.frankel.ch -2;1398593856;5;I want to learn Java;self.java -1;1398587578;6;Java EE 7 at Bratislava JUG;youtube.com -1;1398586479;5;Key value Coding in Java;ujorm.org -1;1398585174;11;TIL Socket isConnected returns true even after the connection is reset;self.java -22;1398584577;7;A very simple questionaire for my paper;self.java -1;1398577316;2;Thought process;self.java -0;1398558370;1;Prefix;self.java -8;1398555167;12;what is a good way book I could use to learn java;self.java -3;1398538151;11;TIOBE Is Unintentionally Misleading in Truth Interest in Java Is Surging;weblogs.java.net -3;1398533600;12;RHSA 2014 0414 01 Important java 1 6 0 sun security update;redhat.com -0;1398532600;18;Need help with my program trying to split data from a file and then do math to it;self.java -45;1398526603;11;TIOBE Is Unintentionally Misleading in Truth Interest in Java Is Surging;weblogs.java.net -6;1398526178;14;Struts 2 up to 2 3 16 1 Zero Day Exploit Mitigation security critical;mail-archives.apache.org -1;1398514343;7;Victims Embedded Vulnerability Detection command line tool;securityblog.redhat.com -3;1398513935;17;ClassIndex is a much quicker alternative to every run time annotation scanning library like Reflections or Scannotations;github.com -24;1398513882;6;High performance Java reflection with Asm;github.com -2;1398513302;20;Some Questions JAVA SE Useful only For Beginners of Java Programming to get to know with terminology and basic stuff;people.auc.ca -8;1398507972;5;Flexy Pool reactive connection pooling;vladmihalcea.com -7;1398473805;13;ELI5 How do you code a gui interface with Java without using Swing;self.java -4;1398473157;8;Optional Dependency for Method Parameter With Spring Configuration;kctang.github.io -1;1398462860;18;Is there a way around bug JDK 8004476 so XSLT extensions work over webstart prior to Java 8;self.java -0;1398454572;10;Hiring Jr Java Developer Technology Hedge Fund 120k 200K NYC;self.java -0;1398452422;6;Abstract Class versus Interface In Java;javahash.com -6;1398449767;12;Running Node js applications on the JVM with Nashorn and Java 8;blog.jonasbandi.net -9;1398435536;9;Interested in working on OpenJDK Red Hat is hiring;jobs.redhat.com -973;1398430944;6;I HATE YOU FOR THIS ORACLE;i.imgur.com -6;1398426627;4;Reducing equals hashCode boilerplate;benjiweber.co.uk -4;1398424610;9;How to register MouseListener on divider of SplitPane JavaFX;self.java -4;1398417700;11;Simple ToolTipManager hack that prevents ToolTips from getting into the way;self.java -0;1398416490;8;How to create Spring web application video tutorial;javavids.com -1;1398400478;18;Help a newbie with a GUI that prints lines of a sonnet two buttons that switch line sonnet;self.java -9;1398389602;16;Is there a reason why in OSGi apps some people declare Logger fields as instance variables;self.java -1;1398378245;6;A Simple way to extend SWTBot;codeaffine.com -12;1398374565;11;Netflix Roulette API An unofficial Netflix API with a Java wrapper;netflixroulette.net -52;1398372137;6;HashMap performance improvements in Java 8;javacodegeeks.com -2;1398358047;8;Challenges in bringing applications to a multitenant environment;waratek.com -12;1398352459;9;How can I learn about the Java Virtual Machine;self.java -4;1398349889;7;Java Tutorial Through Katas Tennis Game Easy;technologyconversations.com -34;1398343390;8;Anyone use automated browser testing such as Selenium;self.java -2;1398327675;5;An Automated OSGi Test Runner;codeaffine.com -10;1398324812;6;Speed up databases with Hazelcast webinar;hazelcast.com -0;1398301556;2;Best IDE;self.java -3;1398289918;8;Scala 2 11 just launched check it out;news.ycombinator.com -0;1398265997;8;Can t Download Java Development Kit from Guam;self.java -1;1398259876;11;How did you convince your managers to switch to IntelliJ IDEA;self.java -2;1398259304;9;Configure Your OSGi Services with Apache Felix File Install;codeaffine.com -0;1398249997;5;Working with ArrayList of ArrayList;self.java -8;1398247104;8;Developing Java web apps with a lightweight IDE;blog.extrema-sistemas.com -11;1398241857;3;Java Blog Aggregator;topjavablogs.com -5;1398239978;6;An Introduction to the JGit Sources;codeaffine.com -39;1398233319;6;Spring Boot 1 0 GA Released;spring.io -5;1398230553;11;How can you use a static variables in non static methods;self.java -0;1398229258;2;weird syntax;self.java -0;1398220016;2;Netbeans problem;self.java -0;1398213945;18;Attempting my first Java project Trying to develop good practices from the beginning I would appreciate any feedback;self.java -0;1398209694;3;Assistance with programming;self.java -2;1398207434;19;I m a mainframe developer planning to learn java and get certified What certification should I aim for SCJP;self.java -3;1398204715;11;Golo a dynamic language for the JVM with Java equivalent performance;golo-lang.org -11;1398204223;7;A JUnit Rule to Conditionally Ignore Tests;codeaffine.com -0;1398200095;8;How do you make a restart in java;self.java -1;1398190807;10;Messing with I O two quick questions about my program;self.java -2;1398186363;7;Notes On Concurrent Ring Buffer Queue Mechanics;psy-lob-saw.blogspot.com -0;1398181646;7;Accessing HTTP Session Object in Spring MVC;javahash.com -74;1398177241;6;Java Evolution of Handling Null References;flowstopper.org -3;1398148223;11;Online Tool to Convert XML or JSON to Java Pojo Classes;pojo.sodhanalibrary.com -0;1398128928;11;Incompatible types when trying to access an element of an ArrayList;self.java -0;1398125607;8;My compiler refuses to import java util Arrays;self.java -1;1398105608;8;Creating ripemd 256 hash in Java Please help;self.java -16;1398094347;10;Intuitive Robust Date and Time Handling Finally Comes to Java;infoq.com -3;1398092235;6;Help with finding path to file;self.java -7;1398057156;7;Nashorn The New Rhino on the Block;ariya.ofilabs.com -11;1398046578;3;My Java ASCIIAnimator;self.java -38;1398020071;11;Nashorn The Combined Power of Java and JavaScript in JDK 8;infoq.com -22;1398001594;4;Introduction to Mutation Testing;blog.frankel.ch -88;1397970628;9;jMonkey Engine 3D Game Engine written entirely in Java;self.java -3;1397965573;12;Spring 4 Getting Started Guides using Gradle Spring Boot MVC and others;spring.io -23;1397950906;5;Spring Updated for Java 8;infoq.com -9;1397947595;2;Javacompiler Janino;self.java -0;1397903699;7;Need some help with a small converter;self.java -0;1397901799;16;Can someone help me compile a simple advertisement management system in Java I need it ASAP;self.java -3;1397895855;5;Best Development OS Personal Opinions;self.java -3;1397893640;9;Tutorial Read JSON with JAVA using Google gson library;blog.sodhanalibrary.com -38;1397837797;3;Embracing Java 8;sdtimes.com -4;1397827320;6;Learning JUnit Simple project testing sockets;self.java -8;1397826666;4;Facelets ui repeat tag;softwarecave.org -1;1397819350;5;Mon Trampoline avec Java 8;infoq.com -11;1397816930;8;How is this site for Java Certification preparation;self.java -55;1397804161;15;What have you learned from working with Java that you weren t told in school;self.java -15;1397787426;5;Web developer trying on Java;self.java -0;1397780511;9;Need some help copying this Map to my JList;self.java -19;1397770267;6;DevelopMentor Playing with Apache Karaf Console;developmentor.blogspot.com -0;1397768521;7;Looking to learn coding new to it;self.java -3;1397767989;4;Help with Environment Variables;self.java -6;1397767014;5;Summer break is coming up;self.java -16;1397752527;11;Collection of articles on java performance and concurrency from Oracle engineer;shipilev.net -21;1397746207;9;Using Exceptions to warn user vs if bool construct;self.java -27;1397742856;8;Contexts and Dependency Injection CDI 1 2 released;cdi-spec.org -4;1397731410;8;Tutorial How to Setup Key Combinations in JavaFX;blog.idrsolutions.com -4;1397725909;7;How to manage Git Submodules with JGit;codeaffine.com -11;1397717542;9;Writing Java 8 Nashorn Command Line Scripts with Nake;winterbe.com -4;1397704673;3;Java Career Help;self.java -27;1397693919;7;Which Java class is the real one;java.metagno.me -0;1397692703;11;Making an executable Jar file do what a batch file does;self.java -36;1397681211;10;Getting your Java 8 App in the Mac App Store;speling.shemnon.com -10;1397680731;8;Learn how to speed up your Hazelcast apps;blog.hazelcast.com -0;1397680544;12;Reading variables from a text file and writing to another text file;self.java -0;1397672768;12;Looking for help with basic code which structure should I be using;self.java -0;1397671425;9;Java devs needed for a usability study x post;self.java -0;1397669077;2;Java JComboBox;self.java -3;1397664738;8;GlassFish 4 HTTP Compression WebSocket leads to NullPointerException;self.java -16;1397658239;11;Example code dying in three different ways with minor configuration changes;plumbr.eu -0;1397637269;5;Helper method in Frontcontroller pattern;self.java -30;1397636366;6;Pretty Map Literals for Java 8;gist.github.com -7;1397635412;7;How does Machine Learning Links with Hadoop;self.java -1;1397614548;6;Using JavaFX Collections in Hibernate Entitys;self.java -0;1397603666;20;I have an error in my program one with an infinite loop and also how do I add another test;self.java -0;1397595933;8;How did you progress on your first year;self.java -6;1397591976;7;Oracle Critical Patch Update Advisory April 2014;oracle.com -1;1397591604;20;Show r java I made a java code movie at work out of boredom Resize the console to run it;imadp.com -2;1397591367;5;Help with undo redo design;self.java -3;1397584539;9;Show r java My Maven plugin for Ivy dependencies;github.com -48;1397577751;7;Updated Eclipse Foundation Announces Java 8 Support;eclipse.org -11;1397577438;4;Data tables in JSF;softwarecave.org -5;1397573847;3;Java Generics Tutorial;javahash.com -9;1397572897;4;Free MyEclipse Pro License;genuitec.com -8;1397566060;7;Java EE 7 resources by Arjan Tijms;javaee7.zeef.com -16;1397563336;14;How to EZ bake your own lambdas in Java 8 with ASM and JiteScript;zeroturnaround.com -7;1397562698;9;Java EE 7 style inbound resource adapters on TomEE;robertpanzer.github.io -8;1397529665;7;Heads up using Hibernate with Java 8;self.java -0;1397528215;5;Need help with class problem;self.java -1;1397523260;10;What s the best JSP based bug issue source tracker;self.java -0;1397514588;7;Just watch this for a good laugh;facebook.com -2;1397512119;4;Requs Requirements Specifications Automated;requs.org -1;1397511949;6;Myra Job Execution And Scheduling Framework;github.com -1;1397505608;3;Forwarding Interface pattern;benjiweber.co.uk -1;1397502690;7;Uploading a file to a server Multipartentity;self.java -0;1397500251;4;URGENT NetBeans jFrame stuck;self.java -341;1397499212;13;Okay IntelliJ we get it You don t want us to use Eclipse;i.imgur.com -2;1397497691;6;Joins in pure java database queries;benjiweber.co.uk -2;1397489877;9;What time of day are critical patch updates released;self.java -1;1397489329;5;Hibernate in Action PDF Book;vidcat.org -0;1397485364;11;Question Running multiple instances of a game in a single server;self.java -1;1397479790;5;Notifications to server using android;self.java -1;1397476677;8;How to index all links in a string;self.java -18;1397468541;7;Ganesha Sleek Open Source NoSQL Java DB;self.java -7;1397463966;5;Using jOOQ with Spring CRUD;petrikainulainen.net -9;1397451379;6;Clean Synchronization Using ReentrantLock and Lambdas;codeaffine.com -3;1397444046;7;My paper on Java and Information Assurance;yazadk.wordpress.com -1;1397439692;10;HELP REQUEST Jlayer Javazoom pause un pause while playing song;self.java -33;1397434655;15;People that have passed the Java Certification Exam can you kind of do an AMA;self.java -0;1397423325;17;Need some help with my program I m very close to finishing it but getting some errors;self.java -0;1397422058;28;Help debunking a Java Net ConnectException Connection refused connect problem Trying to create connection between local Java application and a remote MYSQL database hosted on fdb7 runhosting com;self.java -0;1397414961;11;Bullets are not showing up across network client screen in game;self.java -0;1397405177;5;Know the Best JAVA IDEs;pravp.com -10;1397397268;7;Alternative to loading a bunch of BufferedImages;self.java -0;1397362944;7;Starting the calendar grid for current month;self.java -0;1397358497;8;How to search an array for a string;self.java -25;1397357778;5;How To Catch A ClassNotFoundException;ninthavenue.com.au -1;1397356200;8;Trying to parse keyless json in Java object;self.java -0;1397352908;5;Methods for predicting runtime exceptions;self.java -2;1397329103;9;Data structure for managing abstract set of 2D nodes;self.java -3;1397328074;13;Want to shift from Spring JDBC to Dagger Hibernate JPA is this viable;self.java -5;1397323186;9;Is there an interface foo void bar in JDK8;self.java -0;1397319760;18;a nice waiting utility class that can be used in many projects or modified to suite your needs;self.java -0;1397314852;24;Java Interop Can a URI on a web page interact with a Java applet running on the same client but as a separate process;self.java -14;1397310068;4;Java 8 monadic futures;github.com -25;1397295725;7;Apache Commons Lang 3 3 2 released;mail-archives.apache.org -20;1397295589;7;H2 1 4 177 2014 04 12;h2database.com -6;1397294263;20;Question re performance difference of getting data via a JSON based Web service vs using an in process ORM DAL;self.java -0;1397277711;4;ConcurrentHashMap vs Collections synchronizedMap;pixelstech.net -4;1397236491;4;Parameterized tests in JUnit;softwarecave.org -0;1397234965;12;Need to find days ago instead of since 2 1 2014 search;self.java -8;1397228189;11;Transform your data sets using fluent SQL and Java 8 Streams;blog.jooq.org -52;1397228134;9;3 Good Reasons to Avoid Arrays in Java Interfaces;eclipsesource.com -13;1397217612;8;Best resources for learning Java JDeveloper and SQL;news.ycombinator.com -10;1397205250;7;Videos for React Conference 2014 in London;youtube.com -8;1397201699;4;Java Memory Model Basics;java.dzone.com -6;1397199714;13;Does Anyone know of a good website for third party look and feels;self.java -20;1397199644;4;Fluent Java HTTP Client;yegor256.com -13;1397195029;6;Gradle build process is painfully slow;self.java -1;1397192944;18;How does a reciever know the length of a string transmitted over a stream using the UTF8 format;self.java -1;1397181183;9;Looking for resources and reference information on integrating EmberJS;self.java -20;1397167249;9;Storing application configuration options Database xml file json file;self.java -10;1397164730;9;Any Good Resources for Learning the Jasmin Assembly Language;self.java -19;1397162040;14;I built a micro Web framework in Java 8 using lambdas Want some feedback;self.java -4;1397160621;14;How could I get my small company to switch me from Eclipse to IDEA;self.java -1;1397153174;10;In what order should I learn coding starting with Java;self.java -2;1397153032;12;Still can t figure this out I m pulling my hair out;self.java -0;1397147314;7;How to Check Java Version Java Hash;javahash.com -0;1397142227;2;Project idea;self.java -0;1397141699;7;Passing objects to and from different classes;self.java -15;1397141505;8;A functional programming crash course for Java developers;sdtimes.com -41;1397140949;3;Spring by Example;springbyexample.org -14;1397137588;9;Will requiring Java 8 limit adoption of a project;self.java -4;1397135358;11;Conquering job hell and multiple app branches using Jenkins amp Mercurial;zeroturnaround.com -0;1397130539;2;Algorithm complexity;self.java -3;1397125470;12;Set up JNDI datasource of Spring application in the embedded Jetty container;esofthead.com -27;1397123829;7;How to use Akka with Java 8;typesafe.com -0;1397099108;4;New to Java here;self.java -0;1397095997;10;How to add a string to a pre loaded array;self.java -0;1397090115;23;I m learning java and am running into trouble is it me not understanding it or is the teacher bad at teaching it;self.java -0;1397087762;18;Help a java newbie with class work creating an array list to store characteristics of dogs and cats;self.java -0;1397081499;3;Fibonacci Through Recursion;self.java -2;1397070703;7;Hey guys some help with Net Beans;self.java -11;1397070246;9;Processing Data with Java SE 8 Streams Part 1;oracle.com -10;1397067340;6;How to reliably release heap memory;self.java -0;1397066739;13;Orchestrate Java Client 0 3 0 update asynchronous programming and easy to use;orchestrate.io -0;1397065547;18;What kind of salary could a mid level Java Developer in a rural market proficient with Maven expect;self.java -51;1397059294;7;Why is Java so addicted to XML;self.java -2;1397058792;7;Best Java Books for Intermediate Python Developer;self.java -0;1397055272;10;How to get started with desktop applications written in Java;self.java -22;1397046965;8;10 Reasons why Java Rocks More Than Ever;java.dzone.com -10;1397031962;4;Tame properties with Spring;baeldung.com -0;1397024387;5;why doesn t this work;self.java -0;1397021303;3;Java Training Institute;self.java -5;1397015803;6;Confused on where to go next;self.java -18;1396987459;6;Jetty 9 1 4 v20140401 Released;dev.eclipse.org -20;1396986717;4;PyJVM JVM in Python;pyjvm.org -13;1396984295;11;Automated JUnit test generation and realtime feedback repost from r eclipse;reddit.com -0;1396976107;2;JOptionPane jokes;self.java -1;1396969370;9;What are some good tools for automatic code review;self.java -0;1396960245;6;Java s professional and personal implication;self.java -0;1396959515;10;will objects in array be remembered after application is closed;self.java -1;1396954233;8;JSF GWT or Exposing your backend through webservices;self.java -54;1396947935;9;Why did Java JRE vulnerabilities peak in 2012 2013;security.stackexchange.com -12;1396946297;9;How many Java developers are there in the world;plumbr.eu -1;1396940103;9;Get content from a textfield with a button Beginner;self.java -0;1396918814;10;Intermediate at Java i like being challenged in java programing;self.java -0;1396917534;9;New to Java having trouble understanding the binary search;self.java -27;1396912708;16;Java Basics A new series started by my good friend teaching the basics of java coding;youtube.com -4;1396903934;8;Very simple traffic light that might inspire beginners;self.java -5;1396901551;11;A Brief Introduction to the Concept amp Implementation of HashMaps HashTables;youtube.com -0;1396901109;13;HELP Is there a way to ignore the counter in a for loop;self.java -1;1396896938;6;Assigning server processes threads to cores;self.java -4;1396885931;7;Spring Security Hello World Example Java Hash;javahash.com -0;1396883885;4;Java installation gone awry;self.java -2;1396879660;2;Comment Ettiquite;self.java -95;1396862175;10;Using Artificial Intelligence to solve the 2048 Game JAVA code;blog.datumbox.com -1;1396843701;5;Efficient Code Coverage with Eclipse;codeaffine.com -18;1396829254;4;From Lambdas to Bytecode;medianetwork.oracle.com -0;1396824493;6;Java for beginner to become professional;youtube.com -3;1396821036;6;Problems importing custom class in gridworld;self.java -0;1396816585;6;Eclipse or Netbeans for SmartGWT GWT;self.java -43;1396812234;4;Java Multithreading Basics Tutorial;youtube.com -6;1396810137;7;Help assembling a specific JAVA COM wrapper;self.java -3;1396788191;11;The right usage of Java 8 lambdas with Vaadin event listeners;morevaadin.com -1;1396761652;7;LWJGL Swing no mouse events What do;self.java -0;1396757684;21;Programming Help In my first programming class and I don t understand a problem with my code writing classes and methods;self.java -0;1396757336;6;Starting a thread with a button;self.java -2;1396747106;5;Java Grade Calculator Your thoughts;pastebin.com -11;1396734184;6;Scalability for a java web app;self.java -1;1396731635;5;Ways to compress an image;self.java -4;1396726377;26;advice installing and learning Broadleaf to get better at JEE Spring Hibernate Can you recommend any other large open source projects to read and learn from;self.java -0;1396719915;4;Confused about this interface;self.java -30;1396717385;2;Understanding JavaFX;self.java -8;1396717090;9;Java 8 Friday The Dark Side of Java 8;blog.jooq.org -5;1396715738;8;Project amp Learning Outcomes Java N Queens Solver;youtube.com -0;1396715643;8;scs lib Secure Cookie Session implementation RFC 6896;github.com -0;1396683152;41;Hi there Here is a paid course free for sometime on the launching of LearnBobby Best place to learn and earn Course name Java for beginners http learnbobby com course java master course lite version Get it before it gets paid;learnbobby.com -42;1396678209;6;Interface Pollution in the JDK 8;blog.informatech.cr -15;1396676680;14;What are the consequences of the PermGen free Java 8 VM on OSGi applications;self.java -0;1396670975;6;How badly did I get owned;self.java -11;1396664510;5;Java 8 default implementation question;self.java -4;1396660237;12;P6Spy framework for applications that intercept and optionally modify sql database statements;p6spy.github.io -5;1396650194;7;What is Java doing for Serial Communications;self.java -5;1396624373;13;Integration Testing From The Trenches An Upcoming Book You ll Want To Read;java.dzone.com -28;1396595639;9;JMockit mocks even constructors and final or static methods;code.google.com -2;1396576036;11;Get rid of that 8080 on the end of Tomcat links;self.java -0;1396558809;3;Minecraft amp Java;self.java -5;1396558507;12;Beginner to Java and practicing arrays Let me know what you think;self.java -9;1396525984;11;Java build infrastructure Ansible Vagrant Jenkins LiveRebel and Gradle in action;plumbr.eu -29;1396521806;8;Java SE 8 Beyond Lambdas The Big Picture;drdobbs.com -7;1396512071;5;Learn Java by doing exercises;learneroo.com -0;1396476530;4;Error message wont display;self.java -1;1396474781;9;META INF services generator Annotation driven services auto generation;metainf-services.kohsuke.org -2;1396474704;20;Jasig CAS 3 5 2 1 and 3 4 12 1 Security Releases SAML 2 0 Google Accounts Integration components;jasig.275507.n4.nabble.com -27;1396474613;6;Apache Tomcat 7 0 53 released;mail-archives.apache.org -2;1396474564;6;Netty 4 0 18 Final released;netty.io -25;1396452135;6;Eclipse Foundation Announces Java 8 Support;eclipse.org -3;1396443666;8;Java Tip Hibernate validation in a standalone implementation;javaworld.com -0;1396442289;9;How to Encode Special Characters in java net URI;blog.stackhunter.com -12;1396435616;9;Netbeans users What s your favourite plugins and why;self.java -1;1396431992;4;Multiplayer game and sockets;self.java -2;1396430406;10;XPages IBM s Java web and mobile application development platform;xpages.zeef.com -4;1396425211;5;How do return really work;self.java -0;1396421423;7;Need some help and javahelp is empty;self.java -15;1396406403;6;Implementing functional composition in Java 8;self.java -5;1396406079;3;Help With JPanel;self.java -6;1396397706;8;Sudoku Solver Tutorial Part 1 Java Programming playlist;youtube.com -1;1396393430;12;Javahelp is very inactive and I m stuck on the finishing touches;self.java -9;1396390006;6;Utility Scripting Language for Java Project;self.java -0;1396383862;3;JAva program problems;self.java -5;1396381805;4;Android handler for java;self.java -29;1396381761;8;Vaadin UI technology switching from Java to C;vaadin.com -10;1396377123;4;Java Magazine Lambda Expressions;oraclejavamagazine-digital.com -12;1396374937;5;What s your favorite blend;self.java -3;1396370172;3;Project Euler 19;self.java -14;1396363147;6;JVM Java 8 Windows XP Support;self.java -0;1396328170;9;Looking for help with a Java assignment dont upvote;self.java -2;1396311736;5;Tutorials for android java development;self.java -1;1396310247;15;Intro to the NetBeans IDE One of the best Java Integrated Development Environments in Existence;youtube.com -3;1396302542;8;Need Help Controlling USB Relay Board in Java;self.java -0;1396299479;1;java;self.java -0;1396299459;4;ZOMBIES Hola Soy German;self.java -0;1396294598;5;ArrayList not returning proper type;self.java -2;1396292751;6;SPAs and Enabling CORS in Spark;yobriefca.se -119;1396288163;17;Do you like programming enough that you would keep doing it after winning the lottery for 100M;self.java -5;1396288074;24;PauselessHashMap A java util HashMap compatible Map implementation that performs background resizing for inserts avoiding the common resize rehash outlier experienced by normal HashMap;github.com -18;1396287910;17;The best tutorial on Java 8 Lambdas I ve seen Cay Horstmann Not for Java newbies though;drdobbs.com -1;1396287239;4;Mac JVM Windows JVM;self.java -2;1396283988;11;Two Thousand Forty Eight a Text Adventure cross post r programming;reddit.com -1;1396281394;8;design pattern for setting fields in super class;self.java -68;1396274374;7;What happened to synchronized in Java 8;enter-the-gray-area.blogspot.ch -1;1396272985;14;Jaybird 2 2 5 SNAPSHOT available for testing with a few Java 8 fixes;groups.yahoo.com -1;1396268102;3;Sun Java Certification;self.java -11;1396260366;9;The new google sheets parts written in Java GWT;docs.google.com -3;1396239070;5;Slim Down SWT FormLayout Usage;codeaffine.com -5;1396234220;21;Looking for a learning resource The basic data structures their pros cons use cases and Big O times for various operations;self.java -26;1396227289;7;Google new project written in Java GWT;google.com -6;1396219930;5;Compiling Java Packages without IDE;self.java -3;1396214997;6;Java equivalent to Net DataRow object;self.java -0;1396210184;10;looking for an open source java program 150 200 lines;self.java -2;1396207578;4;Clarification On Interfaces Please;self.java -5;1396193641;4;My recap of JavaLand;blog.frankel.ch -4;1396191968;5;Learn Java Programming The Basics;keenjar.com -7;1396189051;9;JVM Performs worse if too much memory is allocated;self.java -3;1396150683;14;Dumb question is the Spring GUI library and the Spring Framework the same thing;self.java -12;1396135853;11;Perft Speed amp Debugging Tips Advanced Java Chess Engine Tutorial 21;youtube.com -0;1396134097;7;Java Programming using only the Command Prompt;youtube.com -28;1396122792;12;Catching up with 5 6 years of Java progress What s good;self.java -0;1396119549;7;How to prevent IntelliJ from minimizing methods;self.java -4;1396088165;10;Apache Tomcat 8 0 5 beta available Java EE 7;mail-archives.apache.org -8;1396080231;5;Getters and setters gone wrong;refactoringideas.com -0;1396075636;3;XALAN J CVEs;issues.apache.org -4;1396075477;4;Dynamic Code Evolution VM;ssw.jku.at -51;1396061632;9;Coding with Notch from Minecraft The Story of Mojang;youtube.com -0;1396053167;5;Beginner question Project for school;self.java -2;1396035838;9;What is the disadvantage of importing too many packages;self.java -1;1396033276;4;java fork and join;javaworld.com -4;1396031009;3;Composition over Inheritance;variadic.me -0;1396025672;9;JAVA 8 TUTORIAL THROUGH KATAS REVERSE POLISH NOTATION MEDIUM;technologyconversations.com -3;1396024118;4;FirebirdSQL and IntelliJ IDEA;chriskrycho.com -1;1396017982;7;Recommend a primer for the Eclipse SWT;self.java -0;1396016981;7;Looking for someone with experience with jBPM;self.java -3;1396016742;13;Going to national competition in programming JAVA what should I bring with me;self.java -4;1396012614;11;I am writing a new book Ember js for Java Developers;emberjsjava.codicious.com -97;1396002558;12;Tired of Null Pointer Exceptions Consider Using Java SE 8 s Optional;oracle.com -7;1395999070;14;Base64 in Java 8 It s Not Too Late To Join In The Fun;ykchee.blogspot.com -20;1395988636;16;Effective Java by Joshua Bloch 2nd Edition Item 1 explained Static factory methods vs traditional constructors;javacodegeeks.com -8;1395988309;5;Will Java 8 Kill Scala;ahmedsoliman.com -1;1395982428;10;Cannot figure out why this will not delete the file;self.java -10;1395964834;9;How to tweet with Java as simple as possible;self.java -10;1395963424;49;Total java noob here For a intro level java class I had to use BufferedWriter to make a text document with the multiples of 5 up until 1 000 However my code prints Chinese I really want to know why on earth it prints Chinese code and output inside;self.java -4;1395961361;9;Java implementation of an array of lists of strings;self.java -12;1395957906;6;Still not getting try catch blocks;self.java -0;1395955539;13;Can someone give me a bit of advice on an assignment Thank you;self.java -3;1395954555;6;Including a JAR file in classpath;self.java -1;1395940494;4;Custom bean validation constraints;softwarecave.org -6;1395935199;3;Board game spaces;self.java -5;1395931261;12;Upgrading Java 6 SE 1 6 to Java 8 SE 1 8;self.java -3;1395929640;6;Need some help with image processing;self.java -29;1395919327;8;Why amp When Use Java 8 Compact Profiles;vitalflux.com -9;1395910637;11;Synchronize resources from local drive to Amazon S3 by using Java;esofthead.com -2;1395906254;4;Adding values to JTable;self.java -7;1395902904;10;Need a kick in the right direction for some homework;self.java -0;1395888910;6;Is operator overloading useless Interactive example;whyjavasucks.com -0;1395886801;7;Help with setup db in JUnit tests;self.java -5;1395874628;2;Java certificates;self.java -10;1395866200;6;Apache Archiva 2 0 1 released;mail-archive.com -0;1395860195;6;Need Help Extracting Sounds from Javascript;self.java -12;1395830486;4;Java 8 API Explorer;winterbe.com -0;1395825976;4;Leaking Memory in Java;blog.xebia.com -2;1395823321;6;need help with Programming by Doing;self.java -9;1395793555;5;Java and Memory Leaks question;self.java -7;1395791973;8;Creating a stack trace in Java Easiest methods;self.java -3;1395777964;20;I am trying to create a table using java derby EmbeddedDriver but i don t understand what these errors mean;self.java -3;1395777230;6;How to apply try catch blocks;self.java -0;1395775956;3;Event Driven Model;self.java -3;1395773746;4;Question about bad coding;self.java -20;1395766486;5;Eclipse Support for Java 8;eclipsesource.com -14;1395764882;7;RebelLabs Java Tools amp Technologies Survey 2014;rebellabs.typeform.com -0;1395764266;5;Processing an argument String Recursively;self.java -3;1395762434;10;Versioned Validated and Secured REST Services with Spring 4 0;captechconsulting.com -10;1395758859;8;Integrating Amazon S3 in your Application using java;blogs.shephertz.com -0;1395757430;6;How to open Appletviewer via console;self.java -13;1395755405;8;Measuring Fork Join performance improvements in Java 8;zeroturnaround.com -35;1395748739;7;Creative approach for killing your production env;plumbr.eu -29;1395748627;8;Best OCR optical character recognition Library for Java;self.java -2;1395743158;14;Can someone help troubleshoot why my command line program only works via Java 7;self.java -2;1395717374;16;I can t figure out why certain variables are returning 1 instead of their actual values;self.java -6;1395700100;6;How to program with Bitwise Operators;half-elvenprogramming.blogspot.com -2;1395695790;10;Generating random number depending on how many digits you want;self.java -9;1395692135;3;Stack Hunter Screenshots;self.java -16;1395686952;12;Long jumps considered inexpensive John Rose on the relative cost of Exceptions;blogs.oracle.com -9;1395683809;7;What is your go to Collection implementation;self.java -37;1395680495;8;Common exception misuses in Java and not only;softwarecave.org -0;1395679165;5;New enhancements for Java 8u1;self.java -3;1395674507;9;Java 7 one liner to read file into string;jdevelopment.nl -4;1395672816;7;How to use SWT with Java 8;eclipsesource.com -0;1395664734;10;Anyone know of a graphical page layout app in Java;self.java -35;1395647920;8;What is obsolete in Guava since Java 8;self.java -11;1395645792;4;Checked Exceptions and Streams;benjiweber.co.uk -6;1395637842;5;What are Mockito Extra Interfaces;codeaffine.com -7;1395617086;7;Java Bootcamps Classes in New York City;self.java -11;1395603470;16;Questions on getting a Java job in Europe for a year or two I m American;self.java -0;1395596510;8;Where to make your own code with Java;self.java -18;1395594800;5;jphp PHP Compiler for JVM;github.com -1;1395590048;10;Thinking about starting to learn java where do i start;self.java -10;1395589009;20;Is there a de facto way to store external plain text data so that it inter ops well with Java;self.java -25;1395581482;4;Java 8 Default Methods;coveros.com -6;1395551828;7;Java 8 UI Lambda based keyboard handlers;self.java -74;1395551536;6;How much faster is Java 8;optaplanner.org -50;1395546202;12;Complete list of all new language features and APIs in Java 8;techempower.com -1;1395523391;6;Measuring bandwidth and round trip delay;self.java -2;1395510765;6;Help using StringBuilder or Regex Matching;self.java -151;1395510294;8;In Java 8 we can finally join strings;mscharhag.com -31;1395492056;10;Java 8 Language Capabilities What s in it for you;parleys.com -25;1395489890;14;ASM 5 0 released full support for the new Java 8 class format features;forge.ow2.org -0;1395489653;8;crawler commons functionalities common to any web crawler;code.google.com -2;1395484944;6;Apache Commons Weaver 1 0 Released;mail-archives.apache.org -3;1395470960;6;Declaring public private or protected constructor;self.java -0;1395440492;13;How do I write the contents of a JTable to a text file;self.java -2;1395426198;10;How can I check two 2 dimensional Polygons on intersection;self.java -2;1395412131;8;Introduction to Java Programming Free Computers Video Lectures;learnerstv.com -34;1395404148;10;Java Developers Readiness to Get Started with Java 8 Release;vitalflux.com -8;1395396764;19;Andrew Dinn of Redhat is coming to my University does anyone have any questions they want me to ask;self.java -0;1395395905;6;Parts of code with multiple meaning;self.java -1;1395374887;4;Just out of curiosity;self.java -39;1395358209;5;NetBeans IDE 8 0 Released;netbeans.org -5;1395352116;7;Glassfish 4 with Eclipse and Java 8;self.java -4;1395350438;5;C style properties in Java;benjiweber.co.uk -6;1395348989;6;Resources for modernize my Java skills;self.java -4;1395346680;4;Gradle multiple project inconsistent;self.java -1;1395339170;7;Label the sides of a JButton grid;self.java -3;1395333739;10;JCache Data Caching for Java App Programming Hits the Channel;thevarguy.com -35;1395331206;8;10 Examples of Lambda Expressions of Java 8;javarevisited.blogspot.sg -87;1395322050;4;Too many if statements;stackoverflow.com -29;1395313524;3;Kotlin M7 Available;blog.jetbrains.com -2;1395310577;7;How to remove tab indicators in Netbeans;self.java -10;1395309946;10;So i want to learn JavaFX where do i begin;self.java -0;1395285650;9;Help Integrating Bitcoin Litecoin use into Java Source Code;self.java -0;1395278605;5;Problem URLClassLoader doesnt find class;self.java -2;1395271523;10;Migrating An Existing CodeBase to a newer version of Java;self.java -0;1395264598;4;Help Java and Android;self.java -42;1395242645;35;The authors of Algorithms Part I describe a complete programming model using Java This is an excerpt from Algorithms Part I 4th Edition which was published expressly to support the Coursera course Algorithms Part I;informit.com -4;1395242055;12;ELI5 what is a framework and how does it relate to Java;self.java -5;1395239777;7;Introductory Guide to Akka with code samples;toptal.com -0;1395235630;7;MongoDB and Scale Out No says MongoHQ;blog.couchbase.com -6;1395233003;6;From javaagent to JVMTI our experience;plumbr.eu -4;1395221045;8;Unsigned Integer Arithmetic API now in JDK 8;blogs.oracle.com -4;1395220792;9;Why did Java 7 take 5 years for release;self.java -15;1395217962;4;Java 8 and Android;self.java -16;1395213707;7;Under the hood changes in Java 8;self.java -0;1395211206;4;Oracle ADF Help site;self.java -0;1395202871;6;Functional FizzBuzz with Java 8 Streams;jattardi.wordpress.com -0;1395198622;4;Java 8 Release Fail;self.java -2;1395193926;3;Autoboxing into Optionals;self.java -0;1395181499;4;JDK 8 Release Notes;oracle.com -7;1395180456;4;The Optional Type API;techblog.bozho.net -0;1395172078;11;With the release of Java 8 can someone please ELI5 lambda;self.java -47;1395170523;5;IntelliJ IDEA 13 1 Released;blog.jetbrains.com -14;1395168717;6;Java SE 8 download is live;oracle.com -251;1395168576;5;Java 8 has been released;oracle.com -5;1395165286;9;OOD principles and the 5 elements of SOLID apps;zeroturnaround.com -2;1395163960;8;Validating HTML forms in Spring using Bean Validation;softwarecave.org -0;1395161835;5;Research on Java Enterprise Programming;self.java -0;1395160434;9;HIRING Front and back end dev in Southern California;spireon.com -2;1395160011;6;Tools Like Swagger to document JAVA;self.java -9;1395155313;16;HotSpot will use RTM Restricted Transaction Memory instructions to implement locking when running on Intel Haswell;mail.openjdk.java.net -9;1395154054;5;The Fundamentals of JVM Tuning;youtube.com -1;1395111184;6;advice on calling method using variable;self.java -3;1395098308;9;Attending a hackathon event soon could use some advice;self.java -1;1395098056;5;Video Audio editing in Java;self.java -1;1395088217;4;JSF Runtime exec doubt;self.java -26;1395082838;6;First class functions in Java 8;youtu.be -12;1395076812;13;Nerds test out new Shenandoah JVM Garbage collector on Role Playing Game Application;jclarity.com -3;1395076049;5;Framework for dealing with Actions;self.java -0;1395071641;5;Need help from you guys;self.java -3;1395069371;9;Trying to create artistic compositions based on an RNG;self.java -17;1395064756;11;IntelliJ IDEA 13 1 RC2 Ships Nearly Final Java 8 Support;blog.jetbrains.com -0;1395053912;7;Is there any good java assignments source;self.java -1;1395052440;8;Any good free online tools to learn Java;self.java -57;1395043401;3;Java 8 Tutorial;winterbe.com -0;1395037164;6;Using JPA and JTA with Spring;softwarecave.org -8;1395031507;5;Getting JUnit Test Names Right;codeaffine.com -3;1395025173;28;Running into ADF Jdeveloper issues specifically passing a row selection via right click and context menus from a query table to objects that use it for record selection;self.java -0;1395018008;9;Getting a list of every value in a map;self.java -2;1395016274;3;EJB Servlet Issues;self.java -7;1395015753;9;Published Beta version of Practical Eclipse Plugin Development eBook;blog.diniscruz.com -0;1395013461;8;Why won t the fiveDegrees method print anything;self.java -3;1395006071;10;Ideas on positioning a variable amount of images using swing;self.java -29;1394996659;10;Experiment with Java 8 Functionality in Java EE 7 Applications;jj-blogger.blogspot.de -4;1394994337;6;Apache Mavibot 1 0 0 M4;mail-archives.apache.org -5;1394994216;23;Apache OpenWebBeans 1 2 2 CDI 1 0 API JSR 299 Context and Dependency Injection for Java EE and JSR 330 atinject specifications;mail-archives.apache.org -20;1394993992;6;Apache Commons Compress 1 8 Released;mail-archives.apache.org -9;1394993286;2;Timer help;self.java -2;1394980353;11;Recommendations for open source visual mapping software for mapping career paths;self.java -2;1394972236;8;How do I start over from main again;self.java -11;1394950817;23;What are some of the common interview questions which would be asked More programming questions than concepts ie writing code on the board;self.java -0;1394932718;8;How to view java source code in eclipse;abrahamfarris.com -0;1394909303;6;Java Basics Lesson 6 Conditional Statements;javabeanguy.com -0;1394907948;4;Generating a random figure;self.java -1;1394907018;13;Question about Method the three dots public int changeInt int input Moves move;self.java -48;1394893025;6;How DST crashed the batch job;self.java -0;1394864076;10;First service release for Spring Data release train Codd released;spring.io -8;1394863536;7;Locking the Mouse inside an Application Frame;self.java -22;1394853156;7;Deploying a Java Tomcat Application via Chef;blog.jamie.ly -3;1394844825;3;Authenticating a WebBot;self.java -0;1394844816;2;Gridworld battles;self.java -0;1394840510;8;How do you guys like my color scheme;imgur.com -0;1394839029;37;Hey r java this is probably an easy fix for you guys but I was trying to test my program and I noticed that it prints null as well as the word entered Any one know why;imgur.com -8;1394821723;3;Modern Web Landscape;self.java -17;1394811877;6;JSR 363 Units of Measurement API;jcp.org -10;1394811450;6;Integration testing with Maven and Docker;giallone.blogspot.co.uk -0;1394807926;2;Garbage Collection;self.java -0;1394795257;4;How I learn Java;self.java -2;1394779857;7;Strange Java compilation issue involving cyclic inheritance;self.java -21;1394768279;9;Examples of beautifully written heavily unittested open source code;self.java -4;1394754866;13;I m deploying to Glassfish How do I get a faster feedback loop;self.java -7;1394751889;19;Good books similar to the style of the C programming language by Brian W Kernighan and Dennis M Ritchie;self.java -0;1394749870;2;Quick question;self.java -0;1394738003;8;counting occurences of a substring in a string;self.java -9;1394734587;12;Repeating Annotations The Java Tutorials gt Learning the Java Language gt Annotations;docs.oracle.com -0;1394732191;11;The Future of Java and Python HSG Articles from Software Fans;hartmannsoftware.com -0;1394723376;2;Live streaming;self.java -0;1394723305;29;java SampleProgram 533 I m a little new to programming Can someone help me break the sections down at a high level What improvements can be made to it;self.java -3;1394723054;9;Hosting your Eclipse update site P2 on Bintray com;blog.bintray.com -1;1394723031;14;Is this an acceptable way to load a class into the JVM at runtime;self.java -10;1394713657;4;Guice vs CDI Weld;self.java -2;1394704612;7;Moving characters in text based java game;self.java -8;1394702726;8;Hazelcast vs Cassandra benchmark on Titan Graph DB;mpouttuclarke.wordpress.com -2;1394688983;9;Recommendations for textbooks tutorials on writing UI in java;self.java -0;1394688301;10;Can someone tell me why this is an infinite loop;self.java -3;1394677136;5;Java and MySQL on Linux;self.java -6;1394673221;5;Java Textpad Game Do While;self.java -0;1394663011;4;ELI5 JUnit and XML;self.java -14;1394653294;4;Recommended training or conferences;self.java -0;1394652690;8;Java installs supposedly but then doesn t run;self.java -1;1394650936;7;Effective JAVA Typesafe Heterogeneous Container Pattern Implementation;idlebrains.org -8;1394648869;12;Beginner making a ludo game in java Any recommendations how to start;self.java -0;1394643338;6;Spring Dependency Injection DI Java Hash;javahash.com -0;1394639105;13;Vlad Mihalcea s Blog JOOQ Facts From JPA Annotations to JOOQ Table Mappings;vladmihalcea.com -4;1394629716;7;Java Tutorial Through Katas Fizz Buzz Easy;technologyconversations.com -6;1394627962;10;Concurrency torture testing your code within the Java Memory Model;zeroturnaround.com -0;1394624839;4;java notepad plugin compiler;raihantusher.com -13;1394623057;7;Java 8 Day EclipseCon North America 2014;eclipsecon.org -16;1394610739;7;Significant SSL TLS improvements in Java 8;blog.ivanristic.com -0;1394610463;10;Which version control allows easy reverts to a previous version;self.java -60;1394591830;13;Is JSP dead Please clarify this to me Just got a job interview;self.java -0;1394589186;5;Java Annotations educating and entertaining;whyjavasucks.com -1;1394583129;4;Head First Java outdated;self.java -0;1394580525;4;Advanced Serialization for Java;prettymuchabigdeal.com -0;1394579943;2;java programming;self.java -3;1394567373;3;Java game programming;self.java -20;1394556298;9;Using a Java Hypervisor to reduce your memory footprint;waratek.com -3;1394554024;3;Hosted Sonatype Nexus;self.java -1;1394552510;4;Software Versioning and Bugfixes;flowstopper.org -10;1394544569;11;Extracting Dates And Times From Text With Stanford NLP And Scala;garysieling.com -8;1394528150;6;Why package by type of type;self.java -22;1394526487;4;ObjectDB VS Hibernate ORM;self.java -13;1394518490;7;Projects to include in your Github portfolio;self.java -0;1394501997;6;Java message source best practice question;self.java -0;1394496981;9;How to add JLabels to a grid of JButtons;self.java -1;1394493018;8;Looking for tutorials for game making 2 D;self.java -13;1394492602;8;Use JNDI to configure your Java EE app;blog.martinelli.ch -2;1394492248;7;Anyone using OpenShift to host Jsp s;self.java -1;1394487457;9;Can you install packages using OS manager through Ant;stackoverflow.com -1;1394449946;2;Java forums;self.java -0;1394446470;9;Configure Spring datasource with dynamic location of property file;esofthead.com -3;1394445240;11;JSF I love you me neither 2011 auto translate from French;next-presso.com -0;1394408518;6;A good book to learn java;self.java -9;1394398843;6;Tools techniques standards to improve quality;self.java -24;1394389277;5;Read Modern Programming Made Easy;leanpub.com -7;1394380500;5;Spring Boot amp JavaConfig integration;morevaadin.com -0;1394363990;14;Why You Should Never Check if Two Strings Are Equal With Equal to Operator;javabeanguy.com -0;1394340827;6;Java program to Android app help;self.java -0;1394331808;3;Algorithm Analysis Help;self.java -0;1394317950;19;Today I m beginning my journey I will keep this post updated with my every days progress and pictures;self.java -1;1394317857;4;Hosting servlets within Eclipse;self.java -5;1394297655;10;libpst read Outlook pst file for the storage of emails;code.google.com -0;1394297370;4;Help with Java Assignment;self.java -0;1394295829;5;Workings on Java String JavaHash;javahash.com -35;1394288088;6;Guidance on self updating Java application;self.java -0;1394287637;18;Looking for some pointers to help improve my coding Swing GUI web scraping x post from f codereview;reddit.com -0;1394283431;6;Apache Maven Release 2 5 Released;maven.40175.n5.nabble.com -0;1394270296;8;Java Basics Lesson 4 Conditional and Bitwise Operators;javabeanguy.com -17;1394259620;6;Quick guide to building Maven archetypes;daveturner.info -1;1394256206;4;Working with Nexus Repository;daveturner.info -0;1394238357;6;New with Java need some help;self.java -5;1394236366;5;RxJava Observables and Akka actors;onoffswitch.net -0;1394235209;4;beginner help with Java;self.java -1;1394229195;12;Your opinion Are hand written methods on paper considered archaic to you;self.java -0;1394229034;17;Ping Identity A leader in the Identity and Access Management space Hiring multiple Java Engineers in Denver;self.java -0;1394226299;3;Help with Proxy;self.java -10;1394217786;12;Forward CDI 2 0 rough cut by future CDI 2 spec lead;next-presso.com -12;1394217658;7;Java 8 Friday Goodies SQL ResultSet Streams;blog.jooq.org -3;1394216644;14;DevNation Announced a new Java and open source conference San Francisco April 13 17;devnation.org -0;1394213138;4;Ideas for Java project;self.java -3;1394210785;20;Are the patterns guidelines described in Designing Enterprise Applications with the J2EE Platform still valid for Java EE 6 7;self.java -2;1394208037;6;Good resources on proper thread usage;self.java -51;1394196604;8;Java 8 Resources Caching with ConcurrentHashMap and computeIfAbsent;java8.org -0;1394189480;2;KILL ME;self.java -0;1394183404;9;Java Help Program won t print out or terminate;self.java -0;1394149983;4;Learning Java after Scala;self.java -87;1394138319;11;Last minute critical Java 8 bug found Will release be delayed;mail.openjdk.java.net -5;1394138270;6;Controlling Belkin WeMo Switches from Java;blog.palominolabs.com -16;1394132894;4;Java EE 7 Petclinic;thomas-woehlke.blogspot.com -0;1394127748;5;Need help for personal knowledge;self.java -0;1394124789;4;Wicket Application Development Tutorial;vidcat.org -6;1394091511;17;Getting rid of hand written bean mappers using code generation MapStruct 1 0 0 Beta1 is out;mapstruct.org -21;1394089164;17;Would you specialise in Java technologies or broaden your skill set over another 2 to 3 languages;self.java -14;1394082312;6;Apache Commons DBCP 2 0 released;mail-archives.apache.org -40;1394082090;6;Apache Commons Lang 3 3 released;mail-archives.apache.org -8;1394081822;8;Apache Shiro 1 2 3 Released Security Advisory;mail-archives.apache.org -9;1394077518;9;A guide around Spring 4 s buggy Websocket support;movingfulcrum.tumblr.com -2;1394068973;4;Java as first language;self.java -0;1394061483;4;Simplifying a Roulette Simulator;self.java -10;1394060651;9;For someone who is moving from C to Java;self.java -6;1394056735;9;Spring can t find bean in a JAR file;self.java -11;1394051758;9;Java 8 Resources Introduction to Java 8 Lambda expressions;java8.org -3;1394050244;6;Question JIT JVM overhead on hypervisors;self.java -0;1394033561;7;Beanstalkd and Glassfish 4 connections piling up;self.java -20;1394012837;6;Typesafe s Java 8 Survey Results;typesafe.com -0;1394011042;2;Java Task;self.java -3;1394008606;12;SWT Do You Know the Difference of Tree select and Tree setSelection;codeaffine.com -18;1393987018;16;Hey r Java I ve been working on my Java conventions Am I doing it right;pastebin.com -0;1393973818;5;Anyone want to test this;self.java -0;1393964107;10;The Fate of TDD Research is in your Hands Reddit;self.java -0;1393951629;11;Find the name of Exe running java application from inside code;self.java -4;1393948703;11;How would I go about feeding live data into an app;self.java -31;1393946344;11;How to avoid ruining your world with lambdas in Java 8;zeroturnaround.com -6;1393942094;7;Using the AutoValue Code Generator in Eclipse;codeaffine.com -3;1393941637;16;A subreddit for java developers to show their projects and ask for help from other members;reddit.com -0;1393935443;7;Kickstarter EasyEclipse for Java by Pascal Rapicault;kickstarter.com -5;1393935153;7;How not to create a permgen leak;plumbr.eu -5;1393933089;7;Differences between Jboss EAP amp Jboss GA;self.java -0;1393932377;3;Beginner Java help;self.java -24;1393929462;7;Adding Java 8 Lambda Goodness to JDBC;java.dzone.com -4;1393913700;7;Recursively walking a directory using Java NIO;softwarecave.org -51;1393877485;6;Survey Developers eager for Java 8;infoworld.com -7;1393871865;8;Can somebody explain annotations to me like this;self.java -20;1393870854;9;Java 8 Friday Goodies Easy as Pie Local Caching;blog.jooq.org -44;1393854634;6;Why One Hour Equals Ten Defects;thebriman.com -3;1393845197;11;Measuring the Social Media Popularity of Pages with DEA in JAVA;blog.datumbox.com -0;1393841016;10;why do we have to pay for help on java;liveperson.com -8;1393836874;8;Spring MVC Hibernate MySQL Quick Start From Scratch;gerrydevstory.com -6;1393822997;2;EnterpriseQualityCoding FizzBuzzEnterpriseEdition;github.com -0;1393811424;3;Java Android HELP;self.java -29;1393809143;11;Short intro to WebSockets in Java with JavaWebSocket JavaEE7 and Spring4;hsilomedus.me -5;1393795340;11;Cool new way to deploy JavaFX applications to the end user;captaincasa.blogspot.co.nz -0;1393784789;8;Teaser for Cargo Culting and Memes in JavaLand;blog.frankel.ch -4;1393776521;11;What do you think about the new Java 8 Optional monad;plus.google.com -4;1393775474;10;Is there a thread safe JDK 8 equivalent for SimpleDateFormat;self.java -8;1393768798;10;Why doesn t Eclipse community stand up more to IntelliJ;blog.diniscruz.com -25;1393758363;7;Net web developer getting started with Java;self.java -8;1393744988;8;A few questions over the basics of java;self.java -0;1393744531;8;Trying to display circles not going so well;self.java -0;1393698573;4;NEED HELP IN JAVA;self.java -1;1393690499;6;Java Basics Lesson 3 Arithmetic Operators;javabeanguy.com -51;1393687806;14;It s more important that Java programs be easy to read than to write;java.net -3;1393687368;2;INDEX usage;self.java -9;1393682344;5;JLS amp JVMS spec diffs;cr.openjdk.java.net -1;1393680929;10;Achieving Extreme GeoServer Scalability with the new Marlin vector rasterizer;geo-solutions.it -1;1393674071;12;CVE 2014 0002 and CVE 2014 0003 Apache Camel critical disclosure vulnerability;mail-archives.apache.org -15;1393673978;6;HttpComponents Client 4 3 3 Released;mail-archives.apache.org -1;1393673676;6;Konik ZUGFeRD de invoicing data model;konik.io -1;1393673507;7;Persistent immutable collections for Java from Scala;github.com -1;1393637815;13;How to create a java file with no pre written code on Netbeans;self.java -7;1393636431;10;Gavin Bierman leaves Microsoft Research Cambridge to join Oracle Labs;plus.google.com -1;1393619027;6;NumberFormatException Best practices for form submissions;self.java -109;1393589926;7;10 Subtle Best Practices when Coding Java;blog.jooq.org -6;1393544952;10;Using Proximo as a SOCKS proxy in Java on Heroku;blog.palominolabs.com -15;1393544211;19;Last weekend I made an opensource TwitchPlays Clone in java for Linux and VBA x post from r twitchplayspokemon;github.com -8;1393536891;3;codehause org gone;self.java -23;1393535499;17;With all that Java can do what type of project should I create for my portfolio first;self.java -10;1393525991;7;Loading a Properties File via context xml;blog.jamie.ly -8;1393524787;6;Help w intro to data structures;self.java -1;1393517717;7;Java Dev here Question about Spring framework;self.java -6;1393517563;9;WildFly 8 versus TomEE versus WebLogic and other matters;jaxenter.com -0;1393509720;5;How do you learn java;self.java -0;1393506179;9;Full Apache stack for the Apache licensed RIA framework;vaadin.com -1;1393503189;9;JavaFX 2 Testing Library With Fluent API EUPL license;github.com -0;1393501654;12;50 bounty if you fix this jenkins plugin java jenkins svn tagging;freedomsponsors.org -4;1393496811;4;Java Personal Cloud Software;self.java -8;1393490289;10;Tutorial How to Create a Border Glow Effect in JavaFX;blog.idrsolutions.com -10;1393483424;9;Pitfalls of using sun misc Unsafe for chasing pointers;psy-lob-saw.blogspot.com -8;1393479828;7;Performance of JSON Processing and json smart;self.java -0;1393478856;15;Need help with while loop code can t seem to figure out what is happening;self.java -3;1393449378;3;Java Security Updates;self.java -0;1393448125;5;Need help with pattern problem;self.java -0;1393446907;4;Java Fraction Calculator Example;gigal.blogspot.com -38;1393446009;7;Results from Java EE 8 survey pdf;java.net -2;1393445591;6;Calculating cryptographic hash functions in Java;softwarecave.org -5;1393443253;7;Why should I learn the Spring framework;self.java -6;1393442548;11;A deeper look into the Java 8 Date and Time API;mscharhag.com -7;1393441576;4;Worst possible method signature;self.java -2;1393439315;5;toString method on Immutable classes;self.java -2;1393436266;7;eclipse 3 8 or eclipse 4 3;self.java -0;1393433279;4;Help with java homework;self.java -4;1393429690;12;dagger servlet A guice servlet port for Dagger managed injection of servlets;github.com -2;1393407945;6;A simple JSF amp Glassfish question;self.java -10;1393407059;3;Mobile dev device;self.java -0;1393393955;3;If Statement Help;self.java -1;1393386220;9;New to programming having trouble with code from text;self.java -2;1393385941;3;Help with PropertyChangeListener;self.java -7;1393381817;2;Sound recording;self.java -0;1393378546;10;Very new to programming and Java Question about use charAt;self.java -0;1393373959;11;Is there an easy way to do exponential subtraction in Java;self.java -4;1393370821;7;Miranda Methods a historical note in comments;grepcode.com -3;1393366657;8;Practicality of JVM based languages other than Java;self.java -1;1393349150;11;Some New Tricks For the Old Dog Java 8 x programming;youtube.com -2;1393344016;8;Java 8 Tutorial Through Katas Berlin Clock Easy;technologyconversations.com -134;1393338439;6;Please stop saying Java sucks 2009;blog.smartbear.com -1;1393336230;9;Why Static Code Analysis is Important on Java Projects;javarevisited.blogspot.sg -0;1393334141;8;A JUnit Rule to Ease SWT Test Setup;dzone.com -2;1393327697;9;How to Load Config Files with the Strategy Pattern;blog.stackhunter.com -2;1393322610;27;Looking for a exciting payed summer project in big data Stratosphere got accepted to Google Summer of Code 2014 Check the idea list xpost from r bigdata;github.com -2;1393320209;4;Fast Remote Service Tests;blog.thesoftwarecraft.com -22;1393314175;15;Cool minimal open source screenshot program I wrote in Java x post from r coding;sleeksnap.com -14;1393313197;9;New grad feeling lost in java tools help please;self.java -2;1393299067;18;I want to improve my java what books frameworks modules should I look into to improve my java;self.java -0;1393298958;6;Java Help Yes it is homework;self.java -5;1393290601;9;Tomcat fighting me can not get a database connection;self.java -2;1393288041;15;io tools Java utilities for stream wiring and file format detection OutputStream to InputStream conversion;code.google.com -3;1393274828;7;Learning J2EE7 Java EE 7 vs Grails;self.java -0;1393274143;6;Book recommendations for refreshing my memory;self.java -2;1393271755;6;Java interview questions looking for feedback;self.java -2;1393264816;8;Tools and frameworks for the modern Java developer;self.java -1;1393264037;16;Is there a Java Emulator for iPad A way to practice java programming without the computer;self.java -6;1393262353;4;JPA and persistence xml;self.java -11;1393256669;30;UPDATE New version of Pebble the java templating engine It now includes the much desired autoescaping of templates and numerous bug fixes Looking for people to try and break it;blog.pebble.mitchellbosecke.com -0;1393249756;10;Year Of Code amp The Myth Of The Programmer Shortage;codemanship.co.uk -159;1393245915;8;Why printing B is dramatically slower than printing;stackoverflow.com -4;1393240326;6;Spring Framework Links by Amaresh Agasimundina;springframework.zeef.com -1;1393233540;18;New to java and programming in general I have 2 theoretical questions Would really appreaciate some answers Ty;self.java -2;1393231704;5;Most common gotchas in Java;vanillajava.blogspot.co.uk -2;1393231238;9;Where and how do you organize your central objects;self.java -1;1393219618;5;Specify cipher suites for HttpsURLConnection;self.java -0;1393219391;19;Updated my Java and now I cant access my chat site because it s being blocked by security settings;self.java -4;1393216709;6;Responsive UIs with Eclipse and SWT;codeaffine.com -1;1393215863;3;HelloWorld servlet help;self.java -18;1393207179;10;When should I assign null to a variable for GC;self.java -0;1393183784;7;How does MapReduce receive input by default;self.java -6;1393121316;3;Favorite Java talks;self.java -35;1393120922;16;What is your most interesting program you ve worked on in the last year or so;self.java -0;1393103530;14;How to receive a XML file or other similar format from an HTTP server;self.java -8;1393098030;22;Hello Javit I d like to show you an early version of a browser based log monitoring tool I m working on;self.java -24;1393094778;12;From Imperative Programming to Fork Join to Parallel Streams in Java 8;infoq.com -7;1393086499;5;Java Basics Lesson 2 Arrays;javabeanguy.com -0;1393080716;17;JFrame JPanel and repaint feel like I m being stupid but I don t really get it;self.java -0;1393079881;3;Law of Demeter;eyalgo.com -6;1393061654;15;Custom Java query class DSL Builder pattern static imports or something else for complex queries;stackoverflow.com -1;1393049727;13;Pass by reference and pass by value Which is it where and how;self.java -7;1393044119;11;Web Translation Service using Apache Cxf JAX WS JAX RS SpringFramework;apprenticeshipnotes.org -76;1393022881;24;My teacher told us to write a program to print a picture in Intro to Java a couple days ago This was the result;i.imgur.com -0;1393019873;18;Best way to generate elements from a list using custom components not a listview x post r javafx;reddit.com -0;1393010375;8;Has anyone seen this weird Eclipse bug before;stackoverflow.com -2;1393006505;6;Coping with Methods with Many Parameters;techblog.bozho.net -3;1393005043;10;Java And Scala Former Competitors May Be BFFs Before Long;readwrite.com -1;1392999760;5;Testing Spatial Data with DbUnit;endpoint.nl -8;1392996982;22;squirrel foundation is a State Machine library which provided a lightweight easy use type safe and programmable state machine implementation for Java;github.com -25;1392979311;9;Jersey 2 6 has been Released New and Noteworthy;blog.dejavu.sk -3;1392971037;5;Clean approach to Wicket models;blog.eluder.org -17;1392961953;5;Java performance and good design;self.java -0;1392957379;3;Confusion in Java;self.java -0;1392950129;2;Program help;self.java -29;1392942226;14;JAAS in Java EE is not the universal standard you may think it is;arjan-tijms.blogspot.com -0;1392933616;12;How do you assign a lambda to a variable in Java 8;stackoverflow.com -18;1392931477;10;Apache Tomcat 7 0 52 released Fix CVE 2014 0050;mail-archives.apache.org -0;1392929397;6;Cayenne ORM 3 1 release candidate;mail-archives.apache.org -0;1392897753;5;JavaFX with Nashorn Canvas example;justmy2bits.com -88;1392892653;10;Your Path to a 16B exit Build a J2ME App;blog.textit.in -3;1392873844;6;Help me choose a thesis subject;self.java -0;1392867962;15;Is there a way to get JavaCC to ignore everything which is not a token;self.java -14;1392854465;10;More on Nashorn Oracle s JavaScript engine shipping with Java8;blog.credera.com -10;1392850997;14;Oracle and Raspberry Pi Develop Java Embedded Applications Using a Raspberry Pi Free MOOC;apex.oracle.com -4;1392841940;11;pretty console a java library to make application config properties beautiful;github.com -7;1392837990;9;Should You Use Spring Boot in Your Next Project;steveperkins.net -0;1392834919;17;Can t figure out how to access my sqlite database from within a webapp deployed on tomcat;self.java -1;1392834690;8;Did repaint change in Java 6 or 7;self.java -6;1392831689;13;Shenandoah A new low pause Garbage Collection algorithm for the Java Hotspot JVM;jclarity.com -7;1392829437;11;199 core java interview questions you can download from below link;programmers99.com -7;1392824446;17;Hazelcast MapReduce API distributed computations which are good for where the EntryProcessor is not a good fit;infoq.com -7;1392823890;6;Apache Archiva 2 0 0 released;mail-archives.apache.org -14;1392817652;15;jol Java Object Layout the command line tool to analyze object layout schemes in JVMs;openjdk.java.net -109;1392814367;6;Why amp How I Write Java;stevewedig.com -17;1392800472;16;Hooray We just released version 3 of Ninja A full stack web framework written in Java;ninjaframework.org -0;1392784036;11;Is there a good way to integrate ads to a gui;self.java -0;1392778867;6;Help counting trigrams in a string;self.java -4;1392776164;6;Java Graphical Authorship Attribution Program JGAAP;evllabs.com -0;1392748894;4;Trouble with Xamarin Studio;self.java -147;1392747288;18;AMA We re the Google team behind Guava Dagger Guice Caliper AutoValue Refaster and more ask us anything;self.java -0;1392741923;7;Google s Java Coding Standards Java Hash;javahash.com -0;1392741738;7;Java Comparator and Comparable demystified Java Hash;javahash.com -10;1392738032;4;Thread Confinement JavaSpecialists 218;javaspecialists.eu -49;1392733077;5;Monadic futures in Java 8;zeroturnaround.com -6;1392732184;6;Java SE 8 Date and Time;oracle.com -5;1392731950;16;Learning to program Java by myself reasonable useful learning curve or approach to more complicated problems;self.java -0;1392716911;5;Java Basics Lesson 1 Variables;javabeanguy.com -43;1392714812;7;Parsing very small XML beware of overheads;clement.stenac.net -0;1392706569;13;Java net a good resource for staying up to date with Java news;java.net -16;1392694866;7;Salary For an Entry Level Software Engineer;self.java -3;1392689664;8;Going to hackathon with no experience need help;self.java -1;1392684445;9;Need help with a tiny logic error almost finished;self.java -1;1392670518;4;Question about java classes;self.java -0;1392666480;7;Cannot get if statement to print text;self.java -3;1392663459;6;books can be read in bed;self.java -1;1392658943;11;Java EE Tutorial 4 1 Security Realms with Glassfish Part 1;youtube.com -0;1392656017;7;Adv Java Java Server Page Session Management;vakratundcloud.co.in -0;1392652992;5;Adv Java Servlet Hidden Field;vakratundcloud.co.in -0;1392652297;5;Adv Java Servlet Database Connectivity;vakratundcloud.co.in -17;1392651797;3;Swing to JavaFX;dreamincode.net -8;1392651691;2;Spek Documentation;jetbrains.github.io -14;1392635796;7;Optimize MySQL Queries with Spring s JdbcTemplate;blog.stackhunter.com -2;1392633296;4;Inject Properties using CDI;blogs.oracle.com -0;1392621695;5;How send data from server;self.java -30;1392615309;2;JUnit Rules;codeaffine.com -2;1392592018;8;Using Delimiter to get info inside curly braces;self.java -0;1392587855;14;An error concerning a local variable that is not a local variable Any Suggestions;self.java -0;1392586287;9;An improved example of how volatile in java helps;orangepalantir.org -0;1392575738;6;How do I end this loop;self.java -1;1392575476;11;HashMap is faster than a search through all the values right;garshol.priv.no -1;1392567167;7;Chaining URL View resolvers in Spring MVC;blog.frankel.ch -6;1392562950;6;Jersey Hello World Example Java Hash;javahash.com -3;1392561684;7;Is JDK8 going to support Windows XP;self.java -19;1392560782;11;Mockito Why You Should Not Use InjectMocks Annotation to Autowire Fields;tedvinke.wordpress.com -45;1392560431;12;10 Reasons Why Java Rocks More Than Ever Part 9 Backwards Compatibility;zeroturnaround.com -4;1392536617;13;What s a good book for learning about the new Java 8 features;self.java -0;1392527532;10;How do I round of to a specific decimal point;self.java -11;1392519462;3;Google Guava Presentation;scaramoche.blogspot.co.uk -8;1392506893;11;Java game engine jMonkeyEngine 3 0 Capuchin Prime is officially STABLE;hub.jmonkeyengine.org -0;1392504588;5;Need help to learn JAVA;self.java -0;1392504285;9;is a has a Difference between inventory and stock;self.java -3;1392499360;14;How to Overwrite The Version of Mojarra in WLS 12 1 2 and Beyond;weblogs.java.net -41;1392498481;15;Under what circumstances do you tell people you are a programmer verses a software engineer;self.java -6;1392493215;8;What is the best data type for currency;self.java -2;1392492284;10;How do I fill this empty space in my GUI;self.java -10;1392476573;7;Announcing Java ME 8 Early Access 2;terrencebarr.wordpress.com -1;1392454154;12;How should I use Hibernate Mapping while dealing with huge data table;stackoverflow.com -34;1392446717;8;Good Programming Tutorials Are Few and Far Between;self.java -0;1392441439;6;Did I make a major mistake;self.java -0;1392435079;16;Hi there I was wondering if anybody could help me with a problem I am having;self.java -0;1392425766;7;Why aren t my methods being called;self.java -3;1392420326;23;The Blind Builder An alternative design pattern to the Bloch Builder for classes intended to be extended and sub extended many times aliteralmind;programmers.stackexchange.com -10;1392414873;3;WildFly 8 benchmarked;jdevelopment.nl -2;1392413238;7;JavaFX application launches but does not run;self.java -1;1392402960;8;My first Java Game Thing Link in Desc;self.java -0;1392402238;11;Can t seem to figure out why this will not compile;self.java -0;1392395694;5;Adv Java Servlet Basic Example;vakratundcloud.co.in -7;1392393230;12;What common pieces of code you implement in most of your projects;self.java -0;1392390913;5;Best Tutorial to Learn Java;self.java -5;1392386547;6;The Exceptional Performance of Lil Exception;shipilev.net -1;1392386189;6;8 Cool Things About Java Streams;speling.shemnon.com -94;1392376716;10;What aspect of your Java programming do you like best;self.java -2;1392362363;4;JavaFX application slow startup;self.java -0;1392357082;4;Java Roomba Program Help;self.java -0;1392348947;2;Help please;self.java -1;1392341570;11;How do I parse a String into java sql Date format;self.java -1;1392340628;10;I have a noob question Can anyone help me out;self.java -1;1392340133;20;I want to build something in Java but I have no idea where to start and practically no code experience;self.java -1;1392330121;4;Help with Rounding Integers;self.java -19;1392327944;5;Elastic Search 1 0 0;elasticsearch.org -10;1392326672;6;Jetty 9 1 2 v20140210 Released;jetty.4.x6.nabble.com -2;1392326473;11;Securer String a String library for shredding sensitive data after use;github.com -23;1392323533;9;JSF is not what you ve been told anymore;blog.primefaces.org -20;1392322562;6;Netbeans 8 nightly impressive first day;martijndashorst.com -5;1392312402;8;A comprehensive example of JSF s Faces Flow;blog.oio.de -29;1392312272;5;Netty at Twitter with Finagle;blog.twitter.com -0;1392307261;4;Please Help Eclipse Error;self.java -0;1392306955;5;Anyone Feeling Bored and Helpful;self.java -0;1392274571;4;Adv Java Swing Menu;vakratundcloud.co.in -0;1392270735;3;Swing JTree Example;vakratundcloud.co.in -10;1392267486;7;Could someone please explain Java version compatibility;self.java -1;1392265396;10;Help integrating spring spring data in to existing maven project;self.java -0;1392244635;12;Opening a Perforce Stored Android Project that is Already In The Workspace;self.java -3;1392235726;12;What s the longest valid method call you have used in Java;self.java -0;1392235648;11;Web application stopped serving static files after adding RESTful web services;self.java -0;1392234381;10;Good intro to Android development for someone familiar with Java;self.java -6;1392233730;8;Oracle Java EE 7 curriculum and certification survey;surveymonkey.com -0;1392222694;6;Getting Started with IntelliJ from Eclipse;zeroturnaround.com -0;1392220659;9;Free Team Management Tool For JavaCodeGeeks Com Readers Giveaway;javacodegeeks.com -9;1392218697;10;Red Hat JBoss BPM Suite access GIT project using SSH;schabell.org -35;1392218635;10;Help Java listeners stop working when laptop is on battery;self.java -0;1392215147;5;Need help with this problem;self.java -0;1392210742;7;How to create method taking arbitrary arguments;self.java -15;1392206261;11;JTA 1 2 It s not your Grandfather s Transactions anymore;blogs.oracle.com -16;1392205967;20;Red Hat s JBoss team launch WildFly 8 with full Java EE 7 support and a new embeddable web server;infoq.com -35;1392202168;5;WildFly 8 Final is released;wildfly.org -0;1392200648;9;How to write dynamic SQL in MyBatis using Velocity;esofthead.com -0;1392163129;3;Basic help please;self.java -87;1392155947;10;Java 8 Cheatsheet lambdas method references default methods and streams;java8.org -15;1392153769;6;Hazelcast Websockets amp Real Time Updates;blog.c2b2.co.uk -0;1392148479;6;Jstack and kill 9 on OOM;self.java -3;1392147645;12;Is there a reason I shouldn t be using Maven in NetBeans;self.java -0;1392141749;4;Survey about learning programming;self.java -2;1392141163;4;Querydsl powered Vaadin persistence;vaadin.com -1;1392140526;39;I found some links on r howtohack that contained a bunch of python books in an archive Now I m almost fluent I want to begin development for Android and hear I need Java Does anyone have any resources;self.java -6;1392136332;9;Expect Stripped Implementations to be dropped from Java 8;jaxenter.com -2;1392134305;7;Java XML Tutorial for Developers Java Hash;javahash.com -0;1392132034;6;CheckBox Example with JSF 2 0;examples.javacodegeeks.com -31;1392131605;8;Java 8 will likely strip out Stripped Implementations;infoworld.com -2;1392128838;8;When to declare a Method Final in Java;javarevisited.blogspot.sg -0;1392115429;24;An old article but do we have a better binding to Qt in Java world Or does the current Qt Jambi working just fine;javaworld.com -10;1392103009;6;Apache POI 3 10 FINAL released;mail-archives.apache.org -28;1392102331;2;Effective Mockito;eclipsesource.com -1;1392082461;14;Has anyone used PDFBox or another open source library to successfully view PDF Files;self.java -7;1392065407;7;Java 8 Performance Improvements LongAdder vs AtomicLong;blog.palominolabs.com -1;1392064489;14;How to check if a double is the correct data type in java eclipse;self.java -1;1392063731;9;What is the best java web framework for production;self.java -30;1392059607;11;WildFly 8 0 joins roster of certified Java EE 7 servers;jaxenter.com -42;1392055445;6;Is GWT still a viable technology;self.java -5;1392054801;6;Preparing for the 1Z0 803 exam;self.java -0;1392053980;8;Looking for a free website that teaches Java;self.java -11;1392042476;3;A multithreading mystery;self.java -13;1392041976;6;Java 8 From PermGen to Metaspace;javaeesupportpatterns.blogspot.ie -0;1392041531;5;Am I A professional now;self.java -24;1392039599;4;Mockito Templates for Eclipse;codeaffine.com -1;1392031280;8;Need help question about programming assignment in java;self.java -4;1392028954;3;Everything about PrimeFaces;primefaces.zeef.com -2;1392025837;7;Logging in Java with users in mind;blogg.kantega.no -0;1392024594;8;When Attention converges to Zero Enterprise Software Trends;contentreich.de -22;1392007066;6;What has Java been useful for;self.java -27;1392001103;10;My modern take on Spring 4 MVC Hello World Tutorial;jbrackett.blogspot.com -0;1391999197;4;Java wizard getting interrupted;self.java -0;1391989455;7;Why won t me size method work;self.java -4;1391984964;2;Netbeans problem;self.java -0;1391975910;9;Core Java Advanced Features what do you guys think;self.java -10;1391960970;3;Java Runtime Compiler;github.com -9;1391960042;6;Try with resources in Java 7;softwarecave.wordpress.com -0;1391958799;8;How to generate a random four digit number;self.java -0;1391958133;7;Reusing front end components in web applications;blog.frankel.ch -40;1391951206;10;Spring 4 MVC Hello World Tutorial Full Example Java Hash;javahash.com -0;1391931825;8;Javafx TextArea scrolling bugs when writing 20k lines;self.java -0;1391929442;3;JSF Facelets templates;softwarecave.wordpress.com -14;1391917717;4;Java 8 Type Annotations;mscharhag.com -6;1391907278;9;Where do I start to learn Xpost r learnjava;self.java -0;1391906103;16;New To Java What are some recommended books or websites or tutorials to get me started;self.java -10;1391903878;14;JDK 8 Doclint for Javadoc is a pain but it can be turned off;blog.joda.org -1;1391902903;4;CSV File program java;self.java -24;1391874350;6;JeroMQ Native Java implementation of ZeroMQ;github.com -2;1391873591;8;SECURITY Apache Commons FileUpload 1 3 1 released;mail-archives.apache.org -7;1391870511;11;Are Project Coin s collection enhancements going to be in JDK8;stackoverflow.com -2;1391869788;7;Updating Jersey 2 JAX RS in GlassFish;blog.dejavu.sk -0;1391868845;5;Help with Java Error 1712;self.java -7;1391858398;8;Using JUnit JaCoCo and Maven for code coverage;softwarecave.wordpress.com -17;1391825284;8;Proposal Drop Stripped Implementations from Java SE 8;mail.openjdk.java.net -7;1391810426;15;Anyone know of a good intro to Java that is oriented toward tomcat application development;self.java -10;1391793385;5;Apache DeltaSpike Data Module JPA;deltaspike.apache.org -44;1391783014;19;Guava 16 0 1 fixes problems with JDK 1 7 0_b51 TypeVariable No more need to hold back update;plus.google.com -10;1391779377;7;Using JOOQ with Spring and Spring Transaction;jooq.org -1;1391779101;8;5 Ways to Handle HTTP Server 500 Errors;blog.stackhunter.com -4;1391768904;4;Parallel Parking JavaSpecialists 217;javaspecialists.eu -5;1391766574;8;First look at Deltaspike Introduction A JSF example;kildeen.com -14;1391723897;7;Strategy for JUnit tests of complex objects;self.java -13;1391723482;11;SECURITY CVE 2014 0050 Apache Commons FileUpload and Apache Tomcat DoS;mail-archives.apache.org -2;1391719427;31;I need some assistance using an arrayList to create an iterator in a stack class Details in comments Not sure if this is the right sub If not direct me elsewhere;self.java -14;1391714676;8;Filtering JAX RS Entities with Standard Security Annotations;blog.dejavu.sk -6;1391706728;9;JAXB Serialize child classes with only selected parent fields;blog.bdoughan.com -35;1391701604;12;A practical example of what Java 8 can do to your code;zeroturnaround.com -7;1391701053;6;Reactive functional UI development with Vaadin;vaadin.com -2;1391699581;5;Java EE CDI TransactionScoped example;byteslounge.com -0;1391697506;7;Plumbr Plumbr 3 5 usability lessons learned;plumbr.eu -4;1391695745;7;Radio Buttons Example with JSF 2 0;examples.javacodegeeks.com -45;1391693759;6;JEP 188 Java Memory Model Update;openjdk.java.net -0;1391683824;11;Whats the safest and best way to add to a database;self.java -1;1391668836;15;What is a good book to start learning Java for someone with some programming experience;self.java -1;1391660299;6;Small issue working with custom library;self.java -0;1391653657;24;To make a 2d field should I use a Array or a Hashmap And what is the argumentation for the one I should use;self.java -4;1391649265;2;Packaging OpenJDK;blog.fuseyism.com -4;1391643336;4;Using Swing and getActionCommand;self.java -8;1391610246;11;Step by Step How to bring JAX RS and OSGi together;eclipsesource.com -15;1391607731;12;JDBC 4 0 s Lesser known Clob free and Blob free Methods;blog.jooq.org -37;1391606482;7;Stephen Colebourne s blog Exiting the JVM;blog.joda.org -18;1391595483;10;Shenandoah An ultra low pause time Garbage Collector for OpenJDK;rkennke.files.wordpress.com -10;1391575813;7;Is there a JAVA API for Reddit;self.java -0;1391553769;5;A question about java events;self.java -5;1391542900;10;New to Java Small App uses Massive Amounts of CPU;self.java -5;1391535045;8;Javax mail How to implement Undelivered Email notifications;cases.azoft.com -0;1391533574;3;Using a List;self.java -10;1391530008;7;first release candidate build of JDK 8;mail.openjdk.java.net -0;1391525309;7;I want a book on Design Patterns;self.java -30;1391523194;11;Why is it hard to make a Java program appear native;programmers.stackexchange.com -1;1391509125;10;New to JAVA Have to build a Text Miner Analyzer;self.java -63;1391467811;10;Java Ranks 2 in Most Popular Programming Languages of 2014;blog.codeeval.com -8;1391463731;7;Is Node js Really Faster Than Java;self.java -0;1391462458;7;Need some help in Java with selections;self.java -7;1391450571;5;WebSockets in Java A Tutorial;restlessdev.com -10;1391443315;7;JVM Language Summit 2013 Videos amp Slides;oracle.com -1;1391442919;2;Hibernate Advice;self.java -3;1391441666;22;How do I add jar files to classpath Specifically I am using Eclipse and I want to add Quartz scheduler jar files;self.java -0;1391436327;9;Configuring Tomcat and Apache httpd load balancing and failover;syntx.co -36;1391434816;7;Why using SLF4j is better than Log4j;javarevisited.blogspot.sg -5;1391428388;11;How To Build Template Driven Java Websites with FreeMarker and RESTEasy;blog.stackhunter.com -9;1391422529;14;Creating Multiplayer Game using libgdx libgdx is a cross platform Java game development framework;blogs.shephertz.com -5;1391415432;14;A question about how to handle structure persistence in a case that confuses me;self.java -2;1391398249;6;Help speeding up LRU cache implementation;self.java -24;1391367560;12;Hardware Transactional Memory in Java or why synchronized will be cool again;vanillajava.blogspot.co.uk -8;1391367207;9;Some help with a personal project would be nice;self.java -9;1391327501;16;How should I test implement my library but not include tests implementations when building a JAR;self.java -0;1391327474;7;Evaluating expressions using Spring Expression Language SpEL;syntx.co -7;1391302024;4;JSR 292 Cookbook PDF;i.cmpnet.com -2;1391286662;6;Apache PDFBox 1 8 4 released;mail-archives.apache.org -7;1391286442;3;Apache ODF Toolkit;incubator.apache.org -18;1391284791;5;Java 8 Support in Eclipse;waynebeaton.wordpress.com -0;1391276631;11;Looking for help on a layout created by a java program;self.java -5;1391272143;4;Detecting Scroll Lock State;self.java -12;1391264881;1;Speed4j;github.com -9;1391264293;4;Rio Dynamic Distributed Services;rio-project.org -0;1391234856;10;Java web developers who wish to implement robust security mechanisms;packtpub.com -7;1391231718;7;First Java 8 Book on The Market;amazon.com -11;1391228251;16;Looking for a small group of somewhat beginners at Java to work on small projects with;self.java -4;1391221571;9;Transforming an object into a subclass of that object;self.java -3;1391208846;5;Strange results in Java 8;self.java -0;1391205693;7;Passing an object into a static method;self.java -0;1391203889;14;Help with a problem I need help with part b and c the most;i.imgur.com -3;1391200525;5;Wanting to use multiple threads;self.java -31;1391199237;8;How To Regular Expressions in Java Part 1;ocpsoft.org -0;1391193881;11;Is it possible to run and automate a program in Java;self.java -1;1391193664;21;Eclipse Plugin that allows the execution of REPL Groovy Scripts in the current Eclipse Instance and Fluent API for Eclipse SWT;blog.diniscruz.com -32;1391188094;5;High performance libraries in Java;vanillajava.blogspot.co.uk -0;1391186957;14;Amazing site http opensource uml org Popular opensource Java libraries reversed in UML models;self.java -7;1391180735;6;Change from technical consultant to dev;self.java -1;1391174558;6;Writing serial data to text files;self.java -22;1391162601;11;The myth of calling System gc twice or several times prevails;stackoverflow.com -1;1391159896;10;41 Websites Every Java Developer Should Bookmark The Complete List;cygnet-infotech.com -26;1391151530;5;Java Programming as a job;self.java -0;1391147192;6;Java Web Applications and Much More;askvikrant.com -2;1391143806;2;Learning Java;self.java -0;1391139499;5;Results from random image generator;imgur.com -8;1391108552;8;Oracle Plans to Reunify Java for IoT Age;blog.programmableweb.com -1;1391105812;7;jHTML2Md A simple HTML to Markdown converter;self.java -4;1391101292;17;Deutsche Bank have an online eBills services that works with Java 1 6 but not 1 7;self.java -2;1391099931;8;Connecting JBoss WildFly 7 to ActiveMQ 5 9;blog.c2b2.co.uk -6;1391094206;5;Intrinsic Methods in HotSpot VM;slideshare.net -0;1391086937;3;Spring Integration Refcard;refcardz.dzone.com -0;1391081272;10;Handling JAX RS and Bean Validation Errors with Jersey MVC;blog.dejavu.sk -81;1391077865;10;JDK 8 reference implementation released except for Mac of course;jdk8.java.net -10;1391077417;3;Choosing an ExecutorService;blog.jessitron.com -0;1391074601;12;Is it possible to edit an application if I have the sourcecode;self.java -2;1391053554;11;XMLUnit Easy way to unit test your xml data BSD License;xmlunit.sourceforge.net -0;1391051263;13;Hello r java I made a project that encrypts files using XOR algorithm;self.java -0;1391045807;11;Building Java Programs A Back to Basics Approach 3rd Edition PDF;self.java -10;1391040174;12;How to make an IntelliJ IDEA plugin in less than 30 minutes;bjorn.tipling.com -1;1391039343;5;Writing to open excel files;self.java -0;1391018417;6;Taking an online Java programming course;self.java -0;1391014526;12;I created a Java programming course for the beginner that is free;self.java -0;1391012984;3;Java practise programs;self.java -1;1391003624;9;LiveRebel 3 0 lands Now release multiple apps simultaneously;zeroturnaround.com -1;1391000662;7;What is a good Java graphing library;self.java -153;1390999217;4;Google Java Coding Standards;google-styleguide.googlecode.com -8;1390997810;3;Java 8 Changes;codergears.com -2;1390992827;6;Java bash like parameter expansion library;self.java -5;1390990280;16;The Baeldung Weekly Review 4 A weekly review of interesting Java Java 8 Spring related topics;baeldung.com -0;1390973436;4;Simple Java Hashing Program;self.java -2;1390967800;9;A request for help with starting my pet project;self.java -3;1390953167;7;Writing Interactive Web Applications with Web Actors;blog.paralleluniverse.co -0;1390951174;38;I saw this problem in my java book T or F If the value of a is 4 and the value of b is 3 then after the statement a b the value of b is still 3;self.java -0;1390947528;4;Help with java array;self.java -41;1390941404;9;Java 8 will use TLS 1 2 as default;blogs.oracle.com -0;1390934950;11;How come I can t compile java on windows 8 1;self.java -0;1390932322;12;Can HTML make random text appear in a livejournal post Like java;self.java -14;1390932167;5;WildFly 8 vs GlassFish 4;blog.eisele.net -33;1390926211;12;ThoughtWorks latest Technology Radar moves Ant to Hold advocates Gradle Buildr etc;thoughtworks.com -19;1390922051;11;Machine Learning tutorial Developing a Naive Bayes Text Classifier in JAVA;blog.datumbox.com -29;1390920390;16;I made a new Java templating engine and I m looking for feedback and or contributors;mitchellbosecke.com -1;1390915750;9;Creating Grammar Parsers in Java and Scala with Parboiled;hascode.com -1;1390912255;15;New easy way to resolve Maven dependency conflicts in IntelliJ x post from r IntelliJIDEA;self.java -0;1390907340;13;Hello r Java I m very new to programming and need your help;self.java -0;1390902152;15;Java is the new C Comparision of different concurrency models Actors CSP Disruptor and Threads;java-is-the-new-c.blogspot.de -8;1390898725;20;Hello r java I ve written a Java documentation and source code viewer and would love to hear your feedback;self.java -0;1390865293;4;NetBeans 8 Loves PrimeFaces;youtube.com -35;1390858799;4;JEP 186 Collection Literals;openjdk.java.net -0;1390858583;4;Mpxj Microsoft Project Interop;mpxj.sourceforge.net -2;1390857947;14;JTS Topology Suite is an API of spatial predicates and functions for processing geometry;tsusiatsoftware.net -14;1390856214;12;AutoValue simple value object code generation with no metalanguage just plain Java;plus.google.com -4;1390854988;12;Annotations and Annotation Processing What s New in JDK 8 57 10;youtube.com -15;1390852794;9;Oracle doing a survey on sun misc Unsafe usage;blogs.oracle.com -0;1390842526;9;Java 8 Goodies The New New I O APIs;javacodegeeks.com -1;1390835969;9;Brief Discussion About the Java 8 Date Time API;blog.codecentric.de -21;1390834912;7;Best practices to improve performance in JDBC;precisejava.com -0;1390833574;4;Is new String immutable;stackoverflow.com -0;1390831018;6;From Java to Scala Tail Recursion;medium.com -1;1390830305;4;More Units with MoreUnit;codeaffine.com -10;1390830200;11;The new Java Streams API was a really bad name choice;self.java -1;1390816069;5;JVM JIT Compilation Overview Video;vimeo.com -4;1390814924;11;Practicing at the Cutting Edge Learning and Unlearning about Java Performance;infoq.com -16;1390809457;12;So this was my midnight program tonight how would you improve it;github.com -7;1390789376;17;How can I include a terminal in my java program restricted to a directory or custom filesystem;self.java -0;1390783643;5;Calling all DFW Java devs;self.java -0;1390772806;10;How to get an integer value from a dropdown menu;self.java -2;1390764692;29;Doing Codelab and stuck on a problem This is very beginner stuff and I m new to Java would someone be willing to help me out with this one;self.java -2;1390759107;5;A little help with GCJ;self.java -25;1390747408;4;Extrinsic vs intrinsic equality;blog.frankel.ch -21;1390743843;7;Running JUnit tests in parallel with Maven;weblogs.java.net -2;1390716034;10;How to Host your Java EE Application with Auto scaling;openshift.com -40;1390707101;6;Java 8 Date and Time API;youtube.com -0;1390691942;5;jar not working on mac;self.java -15;1390689497;13;Trouble with Java Webstart and Java 7u51 Here s a guide for you;sososoftware.blogspot.com -0;1390678712;10;This Is How I Imagine Exceptions Being Handled at Runtime;gph.is -13;1390667632;19;Learning java from the Java tutorials from oracle Any way to get them on my Kindle for reading anywhere;self.java -4;1390667361;17;What should be a development roadmap for a legacy Java Swing application for the next 5 years;self.java -12;1390663908;12;The la4j library release 0 4 9 sparse dense Java matrix library;la4j.blogspot.com -39;1390662213;9;20 very useful Java code snippets for Java Developers;viralpatel.net -19;1390649706;13;Introduction to JSR 310 Part 1 Overview of existing Date and Time API;java.amitph.com -0;1390637891;13;Please help me with this program I ve been stuck for 2 days;self.java -0;1390615697;9;I need you Java masters TAKE A LOOK INSIDE;self.java -5;1390607623;4;Memory Issues with LibGDX;self.java -0;1390606079;6;Is Wildfly 8 a game changer;colocationamerica.com -6;1390602536;3;Java server hosting;self.java -0;1390600955;31;I have ten days to brush up on my Java skills before an interview All I have done for 3 years is minor code changes What resource s would you recommend;self.java -3;1390595284;3;Generic method arguments;stackoverflow.com -9;1390593812;13;What s New in the JVM in Java SE 8 by Gil Tene;youtube.com -27;1390588096;4;Java interview question feedback;self.java -9;1390575974;4;question about java threads;self.java -5;1390567851;4;JVM Performance Magic Tricks;javacodegeeks.com -4;1390567599;7;Managing Java logs with logstash and Kibana;blog.progs.be -0;1390560939;2;Java problems;self.java -7;1390558637;8;JSR 356 Java API for WebSocket or Atmosphere;jaxenter.com -8;1390545269;17;I m creating an introduction to Java programming series inspired by the community and want your feedback;self.java -7;1390541578;9;Converting from json to Java within a Java program;self.java -5;1390535137;8;A question about how to develop frameworks libraries;self.java -2;1390519468;9;Need advice on designing mocking up a web service;self.java -5;1390510765;8;Simple gui toolkit for lwjgl or playn videogames;github.com -0;1390510316;11;Best Java book after Java for Dummies x posted to LearnProgramming;self.java -0;1390508907;6;Netty 4 0 15 Final released;netty.io -8;1390508310;9;Thread safe FIFO queues in Java over Generics types;self.java -0;1390506475;6;HttpComponents HttpClient 4 3 2 Released;mail-archives.apache.org -12;1390506177;7;TreeTable Sorting in upcoming PrimeFaces 5 0;blog.primefaces.org -7;1390504327;11;How can I define a standalone goal in Maven pom xml;self.java -6;1390500365;10;Where to get a certificate to sign my JavaFX app;self.java -1;1390496565;1;Scripting;self.java -4;1390491704;9;10 Reasons to Replace Your JSPs With FreeMarker Templates;blog.stackhunter.com -3;1390488736;8;Java Magazine Jan Feb 2014 published registr required;oraclejavamagazine-digital.com -0;1390488637;11;many concurrent reads 1 write cause ObjectNotFoundException due to ehcache why;stackoverflow.com -16;1390485260;6;Java security patch breaks Guava library;jaxenter.com -6;1390450521;3;CodeEval supports Java;codeeval.com -8;1390439030;10;How to implement desired functionality in JavaFX Background Socket Listener;self.java -25;1390438010;5;Stack amp Heap Java Programming;self.java -12;1390434068;3;Question about Immutability;self.java -6;1390426131;7;Book recommendations to learn Java for Android;self.java -3;1390424543;11;Practicing at the Cutting Edge Learning and Unlearning about Java Performance;infoq.com -0;1390420888;3;Help reinstalling java;self.java -2;1390418672;7;How much am I supposed to understand;self.java -2;1390410780;6;What is wrong 1 6 generics;self.java -3;1390407613;6;DataFlow or Pipeline library Framework recommendation;self.java -1;1390406299;7;The Top Java Memory Problems Part 1;apmblog.compuware.com -0;1390404861;6;How to compile java code dynamically;weblogs.java.net -17;1390401726;20;Interesting report on Java Build Tools Maven Gradle and Ant Ivy I wonder who will win least annoying build tool;zeroturnaround.com -0;1390401483;11;Java Memory Model Structures and causes for OutOfMemory Error Java Hash;javahash.com -0;1390401031;4;Multiple actionlisteners in JSF;stackoverflow.com -2;1390397939;6;Proof of Concept Using Spring Roo;keyholesoftware.com -103;1390385254;2;System exit;self.java -2;1390353184;4;Java to xls xlsx;self.java -4;1390343763;9;Why won t this extremely simple if statement work;self.java -13;1390328779;4;JBoss HornetQ and JCA;self.java -0;1390327104;18;M x shell and M x term don t play well with mvn test xpost from r emacs;reddit.com -14;1390326027;5;Is AES Cipher secure enough;self.java -5;1390322187;10;Does Java certification have a value on the job market;self.java -0;1390318163;7;SOLID Part 2 The Open Closed Principle;net.tutsplus.com -21;1390313112;3;JetBrains is hiring;blog.jetbrains.com -5;1390303554;12;What is so bad about static and how can I avoid it;self.java -0;1390301741;13;Is it me or is there something slightly odd about the Easymock logo;easymock.org -0;1390301711;6;Ajax Example with JSF 2 0;examples.javacodegeeks.com -2;1390273971;6;Pull model interface to the keyboard;self.java -105;1390265804;13;Notice Java 1 7 0 Update 51 is no longer compatible with Guava;code.google.com -0;1390260192;12;HELP Can someone tell me why this code gives me an error;self.java -0;1390255742;17;I just finished Beginning Programming with Java for Dummies and I am wondering where to go next;self.java -3;1390253882;10;ImageJ an image processing program widely used for scientific research;developer.imagej.net -3;1390241661;6;How can I bot my setup;self.java -3;1390240718;10;Ricston s experience of running Mule on a multitenant JVM;java.dzone.com -4;1390184152;12;Problems with tomcat embedded NoInitialContextException when trying to get a JDBC connection;self.java -5;1390182594;4;Question about advanced programming;self.java -1;1390181168;5;Setting up a photo array;self.java -3;1390172331;5;Question about calling static methods;self.java -41;1390171643;22;If you had to name 5 books that take you from being a java beginner to a pro what would they be;self.java -0;1390163664;7;High School Project need help with GUI;self.java -6;1390163633;5;LWJGL OpenGL scaling textures weirdly;self.java -5;1390159760;11;ANTLR 4 IDE can now export a syntax diagram to HTML;jknack.github.io -9;1390157151;10;What is a simple cool program to write in Java;self.java -5;1390156788;4;Java Starting class files;self.java -0;1390153006;4;WebJars and wro4j integration;blog.frankel.ch -1;1390149718;14;How do I stop the execution of a parent method within an execution stack;self.java -44;1390149121;10;JCommander An Alternative to Common CLI Apache 2 0 license;beust.com -8;1390143404;7;Automating JMeter tests with Maven and Jenkins;blog.codecentric.de -4;1390136579;9;What are Best Resources to Learn Java for Beginners;javatalk.org -7;1390124426;14;Why do I need to resize the frame for my images to be seen;self.java -0;1390115536;9;Using regex to hanging indent a paragraph in Java;blog.pengyifan.com -0;1390102567;2;JFrame help;self.java -0;1390098000;7;Need help on a Highschool project gui;self.java -10;1390092146;7;Coding can get quite lonely Context inside;self.java -9;1390080999;15;Are there any sample MVC projects out there that use a relational database for download;self.java -0;1390078087;17;ductilej A Java compiler plugin that turns Java into a mostly dynamically typed language Google Project Hosting;code.google.com -1;1390077173;17;I m trying to write some packages to use as a Framework and I have a question;self.java -0;1390074690;14;Is there a better alternative to BigInteger for java Especially for the operation modpow;self.java -1;1390068702;10;How to detect collision with pixels in a png file;self.java -1;1390058400;4;Java Queues Bad Practices;ashkrit.blogspot.sg -59;1390058160;7;Code faster with Intellij IDEA live templates;maciejwalkowiak.pl -9;1390056258;12;How fast can you learn spring and what resource is the best;self.java -11;1390052505;7;New to programming would love some suggestions;self.java -9;1390052480;5;MyBatis 3 Spring integration example;esofthead.com -5;1390052418;17;Java blocking applications with out giving me the option if I would like to run it anyways;self.java -0;1390040169;18;Now Don t Learn Just Small Programs Development Learn Real Life Software Development Online with online debugging facility;programsji.com -0;1390037704;6;Cannot play my game on Mac;self.java -1;1389999115;14;Apache Camel 2 11 3 Released ex Update to XML Security 1 5 6;camel.apache.org -0;1389996140;8;Coding techniques to avoid security exploits in Java;self.java -5;1389970931;10;How were the java util Collections optimized in Java 7;self.java -21;1389968330;8;Looking for fellow coding noobs to collaborate with;self.java -14;1389966855;14;What is the current status of JMX What are alternatives that are worth considering;self.java -1;1389958012;7;Need a little help with some basics;self.java -24;1389949155;7;Why is package private the default access;self.java -5;1389907885;11;Containers and application servers can someone help me with the terminology;self.java -0;1389902021;7;Coding question which should be very basic;self.java -16;1389897903;12;Java Blamed by Cisco for 91 percent of all Exploits in 2013;eweek.com -0;1389890853;6;Why won t my image display;self.java -5;1389890821;8;The top 5 features of NetBeans IDE 8;jaxenter.com -0;1389890358;10;Learn Java with LearnStreet s Java for Dummies Online Course;learnstreet.com -0;1389884799;12;Why Default or No Argument Constructor is Important in Java Class JavaRevisited;javarevisited.blogspot.com -74;1389881606;13;Java 7 update 51 has been released includes 36 security fixes Upgrade ASAP;oracle.com -0;1389880482;8;Where can I alter my Java security settings;self.java -7;1389876953;8;21 things about Synchronized and Synchronization in Java;javarevisited.blogspot.sg -17;1389860850;9;Shenandoah Red Hat s JEP for a pauseless collector;openjdk.java.net -2;1389855435;15;Is it a bad idea to use transaction in JDBC for executing single SQL statement;self.java -0;1389852786;10;Basic JAVA programming help I am a newbie to this;self.java -0;1389849854;7;What should be a simple JOption question;self.java -10;1389841193;14;Can someone guide me in creating a simple multi threaded program which uses locks;self.java -0;1389829854;7;HTTP server and socket on same port;self.java -0;1389829826;5;Anyone wanna help me out;self.java -0;1389799036;5;Dialog Box with multiple inputs;self.java -21;1389796173;6;The infamous sun misc Unsafe explained;mydailyjava.blogspot.no -8;1389768055;7;JavaEE Redirect user from HTTP to HTTPS;self.java -0;1389764630;4;Help with Java Assignment;self.java -10;1389760864;8;MQ Any comparison chart for correlationId vs messageId;self.java -0;1389760092;5;Why doesn t this work;self.java -0;1389749908;6;A little enquiry on my project;self.java -0;1389746267;4;Trouble using Maven JavaFX;self.java -0;1389737897;5;Help with first Java program;self.java -0;1389734886;3;Radicals in Java;self.java -7;1389734754;15;New security requirements for RIAs in 7u51 January 2014 Java Platform Group Product Management blog;blogs.oracle.com -5;1389731774;10;Automatically testing all possible states caused by pseudo random behaviour;babelfish.arc.nasa.gov -0;1389713204;13;X Post from r AskProgramming JButton setlocation only works inside my actionListener Help;self.java -2;1389712954;4;Incorporating a plugin framework;self.java -0;1389709293;6;Need help with a problem Diamonds;self.java -20;1389708474;9;I Don t Like Scala Bozho s tech blog;techblog.bozho.net -2;1389696565;11;Java Persistence Performance Objects vs Data and Filtering a JOIN FETCH;java-persistence-performance.blogspot.com -6;1389690672;6;JSF to become action based framework;weblogs.java.net -5;1389689683;13;Trying to generate reports in a PDF format Not sure where to start;self.java -0;1389664380;13;Anyone have a list of patches in Java patch day 2014 01 14;self.java -21;1389653915;10;Best book for experienced devs to touch up on Java;self.java -20;1389647549;4;OmniFaces 1 7 released;balusc.blogspot.com -0;1389645608;5;Is Java still worth learning;news.ycombinator.com -19;1389628778;5;Fluent Interfaces Yea or Nay;self.java -0;1389622338;7;Spring XD 1 0 0 M5 Released;spring.io -3;1389616483;9;Java EE 7 collection of resources by Abhishek Gupta;javaee7.zeef.com -1;1389607448;10;Adding an object to an array of objects at constructor;self.java -5;1389605988;15;Batch writing and dynamic vs parametrized SQL through JDBC How well does your database perform;java-persistence-performance.blogspot.ch -0;1389582169;9;Java How to streamline returning hard coded array values;self.java -0;1389567749;9;Issues with a Java Based Program in Windows 8;self.java -17;1389565463;14;What are the best practices and best tools to make unit testing less painful;self.java -0;1389551205;12;Guava is an heavyweight library and I would like this to change;blog.frankel.ch -0;1389538294;5;How to use LMAX Disruptors;vijayrc.com -0;1389537314;9;I need help with J Unit testing on Eclipse;self.java -44;1389536791;3;Apache Commons Imaging;commons.apache.org -14;1389535503;7;ANN Apache Tomcat 7 0 50 released;tomcat.10.x6.nabble.com -0;1389468119;6;For those confusing Javascript with Java;self.java -24;1389456092;9;Java code for Permutation using Steinhaus Johnson Trotter algorithm;programminggeeks.com -0;1389449376;19;Does anyone know of a good website that lists pros and cons of all the data structures in java;self.java -2;1389446219;4;Structorizer Nassi Shneiderman diagram;structorizer.fisch.lu -10;1389446064;13;SubEtha SMTP is an easy to use server side SMTP library for Java;code.google.com -5;1389445817;4;Zopfli bindings for Java;github.com -21;1389444302;6;Jetty 9 1 1 v20140108 Released;jetty.4.x6.nabble.com -5;1389409648;9;How is switch over string implemented in Java 7;coolcoder.in -14;1389391139;15;Can someone point me in the direction of some well structured well commented github projects;self.java -4;1389386810;8;Tutorial web development with JSF Security Part I;blog.mueller-bruehl.de -0;1389385325;9;What s the easiest quickest way to learn java;self.java -2;1389384661;9;Integrate openCMS 9 w Facelets Back end app how;self.java -19;1389380273;9;Why does Java prohibit static fields in inner classes;self.java -2;1389372992;11;Silent World 2D Minecraft Like Game Made with Java Alpha Version;youtube.com -5;1389369375;9;CMD recognizing java but not recognizing javac Please help;self.java -0;1389360829;5;Getting started with JBoss Fuse;rawlingsj.blogspot.co.uk -3;1389356102;5;Algebraic Data Types for Java;github.com -62;1389341931;19;Why is it called both Java 1 6 and Java 6 Are these two things 100 the same thing;self.java -0;1389331195;3;MAW Text Encoding;self.java -3;1389327122;4;Clear terminal Screen linux;self.java -0;1389319516;2;Coding crazy;self.java -4;1389317097;14;How do you activate OS X s native fullscreen without using the arrow button;self.java -5;1389313043;7;How to make borderless fullscreen in java;self.java -7;1389304888;9;Interesting article about java still being a important skill;readwrite.com -0;1389298238;7;Friends Don t Let Friends Use Eclipse;slideshare.net -3;1389287369;10;Free java source codes to learn from and play with;self.java -4;1389283034;8;DripStat Java Performance Monitoring Service Realtime MMO Game;chrononsystems.com -2;1389272458;6;Java 7u45 Deployment Rule Set Question;self.java -2;1389240454;7;Any recommendations for a full development stack;self.java -3;1389239036;8;Should I still go for the OCPJP 6;self.java -0;1389228242;2;Android browser;self.java -4;1389226694;12;What do you guys think of IDE One online java editor compiler;ideone.com -0;1389225587;3;Spare time project;self.java -7;1389222623;6;Apache Commons Exec 1 2 Released;mail-archives.apache.org -5;1389218748;2;KeyStore Explorer;keystore-explorer.sourceforge.net -0;1389215840;1;DocFetcher;docfetcher.sourceforge.net -30;1389197981;7;JNI Performance Welcome to the dark side;normanmaurer.me -0;1389195921;6;Is a Java String really immutable;self.java -18;1389193484;4;GOing back to Java;oneofmanyworlds.blogspot.ca -12;1389186794;7;Useful JVM Flags Part 8 GC Logging;blog.codecentric.de -0;1389153904;2;Java Training;self.java -0;1389149035;4;Is java still useful;medium.com -0;1389137679;4;java text receiving program;self.java -7;1389130861;13;XFlat Lightweight embedded no sql object DB persisting objects to flat XML files;xflatdb.org -2;1389130598;8;JumpStart tutorial for the future Tapestry 5 4;jumpstart.doublenegative.com.au -1;1389130011;6;Open Wonderland collaborative 3D virtual worlds;openwonderland.org -35;1389129893;8;How do I stop being a Java newbie;self.java -0;1389129441;5;Apache JMeter 2 11 released;mail-archives.apache.org -0;1389129390;5;JOnAS 5 3 0 released;jonas.ow2.org -5;1389128405;4;Need to learn openGL;self.java -2;1389122838;8;Why do JUnit assertions behave like yoda conditions;self.java -1;1389117835;5;What should I improve on;self.java -0;1389110535;8;I m hating hibernate I need something easier;self.java -2;1389105708;12;Capacity Planning memory for real world JVM applications what do you do;waratek.com -53;1389101069;8;What Every Java Developer should know about String;javarevisited.blogspot.sg -1;1389100758;6;Java plugin not working with firefox;self.java -10;1389099003;10;Tips and tricks creating profile specific configuration files with Maven;petrikainulainen.net -11;1389096595;11;How applicable is Java in terms of the future of technology;self.java -0;1389092429;8;what is wrong with this piece of code;self.java -14;1389091940;11;Java bytecode hacking for fun and profit x post r programming;cory.li -0;1389085441;15;Trying to learn Java Stuck on loops Please can someone help me with this question;self.java -0;1389073478;6;Java vs C Memory Management Features;codexpi.com -0;1389070675;14;I am not getting any errors my window opens but no graphics show up;self.java -10;1389070132;9;Making a java game why is my rendering jumpy;self.java -22;1389044991;16;Is it possible to catch an exception then make it just run the try block again;self.java -8;1389037893;4;Multiplayer Game In Java;self.java -0;1389026028;10;Hey there searching for someone to help me out S;self.java -0;1389024218;5;Changing Scenes without using FXML;self.java -0;1389017832;10;Why is tomcat a Webserver and not an Application Server;blog.manupk.com -1;1389016959;11;Boon JSON in five minutes Faster Java JSON parsing and serialization;rick-hightower.blogspot.sg -0;1389012481;11;How to configure an SSL Certificate with Play Framework for https;poornerd.com -4;1389010318;10;Domain Integrity What s the best way to check it;codergears.com -27;1389005821;4;Using jOOQ with Spring;petrikainulainen.net -6;1389000754;13;Android port of the Firebird Jdbc driver Jaybird 2 2 4 is released;firebirdnews.org -2;1388983127;7;Has anyone here used Java Au Naturel;self.java -10;1388973802;13;Do you find Ant or Java s style of to be more natural;selikoff.net -6;1388966328;13;How is Head First Java 2nd Edition for an absolute beginner to Java;self.java -2;1388916676;10;1 Hour Speed Code Attempt Conway s Game of Life;youtube.com -84;1388900938;9;7 Ways to be a Better Programmer in 2014;programming.oreilly.com -2;1388900379;3;Going beyond Swing;self.java -4;1388890310;9;Looking for feedback on a concurrency framework I built;github.com -0;1388859087;15;Could somebody help me modify a simple app to allow for spaces in a String;self.java -12;1388841625;5;Apache Oltu OAuth protocol implementation;oltu.apache.org -3;1388841094;3;XWiki 5 3;xwiki.org -0;1388829597;7;Debug Your java Spring Jsp Programs online;programsji.com -4;1388825204;24;Do oracle make money from maintaining and updating Java If so how do they and why do they Besides a creating a kickass language;self.java -0;1388821795;5;Compile clojure to Objective C;github.com -15;1388789647;11;One of the earliest appearances of Duke Java s mascot 1992;youtu.be -0;1388778476;4;Help with a calculator;self.java -87;1388770249;4;Looking for Java Beginners;self.java -0;1388761422;4;Opinions about Apache Beehive;self.java -0;1388756994;7;Working with OS environment variables in Java;java-only.com -0;1388755952;7;why jdon Jdon is a Domain container;en.jdon.com -3;1388753920;11;JSF usage in the real world List of sites using JSF;wikis.oracle.com -4;1388752562;7;Java Colletions waste statistics from 500 apps;plumbr.eu -24;1388748743;3;Everything about GlassFish;glassfish.zeef.com -41;1388736575;5;Snake in under 30 minutes;youtube.com -15;1388725263;16;All Hibernate Framework topics at a place If you don t find the topic suggest it;hibernate-framework.zeef.com -5;1388702777;6;Question about objects and file reading;self.java -1;1388699628;9;Could somebody help me with using the split method;self.java -35;1388699088;11;auto complete in google and bing faster than eclipse and netbeans;self.java -29;1388681792;6;Apache Commons Lang 3 2 released;mail-archives.apache.org -19;1388680136;5;Embedding Jython in Java Applications;blog.smartbear.com -0;1388676241;4;Immutable Binary Search Trees;self.java -4;1388670287;13;Is an M S worth the time and effort for an aspiring programmer;self.java -0;1388621182;3;Saving Player information;self.java -0;1388601596;5;Java String to Array split;self.java -4;1388515598;11;Program that concatenates images of various resolution into one large wallpaper;self.java -0;1388510752;8;What do lines 4 and 5 do here;self.java -0;1388510219;7;Community Support Open Source Project Repository Hosting;issues.sonatype.org -1;1388500466;5;Problem running compound system commands;self.java -1;1388494041;12;Spring from the Trenches Invoking a Secured Method from a Scheduled Job;petrikainulainen.net -1;1388461275;11;What are some caching options with a low open file footprint;self.java -8;1388455573;12;Emacs eclim users What are your opinions x post from r emacs;self.java -41;1388445887;13;To try catch or not What every Java Developer must know about Exceptions;10kloc.wordpress.com -3;1388436906;6;Netty 4 0 13 Final released;netty.io -3;1388436761;7;HttpComponents Core 4 3 1 GA released;mail-archives.apache.org -1;1388435348;12;How do can I call a function on it s own thread;self.java -2;1388421301;8;Creating Zoomable User Interfaces Programs with Piccolo2D Framework;codejava.net -1;1388415887;5;Let s compare some IDEs;self.java -21;1388415171;6;Apache Ant 1 9 3 Released;mail-archives.apache.org -42;1388414402;5;Pong Speed Code 1 Hour;youtube.com -0;1388388568;7;Whats an easy game program in processing;self.java -16;1388359388;8;Three Cheers for JSF 2 2 Faces Flows;liferay.com -11;1388342880;6;Restful Web Services Netbeans and Glassfish;self.java -15;1388340027;10;Are there disadvantages to using static variables within static methods;self.java -10;1388326903;39;What is wrong with my java install I had to do a system repair and ever since my java is refusing to validate certificates I ve uninstalled and re installed several times any ideas on how to fix it;prntscr.com -9;1388298472;8;Single sign on with Sharepoint WSS 3 0;self.java -16;1388293572;7;BrainFuck in java More info in comments;filedropper.com -1;1388261115;6;How expensive is text file polling;self.java -1;1388258052;12;Java Graph libraries with good user interaction and a save export function;self.java -0;1388257200;9;Books for learning Java coming from a JavaScript background;self.java -62;1388252083;6;Typesafe database interaction with Java 8;benjiweber.co.uk -1;1388250261;3;Regular expression using;self.java -19;1388248442;3;Swing or JavaFX;self.java -0;1388213176;4;help with binary division;self.java -14;1388204340;7;A Tool Atlas for the Enterprise Developer;infoq.com -17;1388193209;4;Unreachable and Dead Code;self.java -1;1388180297;6;rotating object to face another object;self.java -13;1388171634;11;10 Most Commonly Asked Questions About Multi Threading For Java Developers;efytimes.com -0;1388170619;10;How to use Type safe dependency injection in Spring 3;coolcoder.in -6;1388164416;9;Is Java really a good tool for personal projects;self.java -4;1388162674;9;Test Driven Development TDD Best Practices Using Java Examples;technologyconversations.wordpress.com -0;1388155357;9;About Bauke Scholtz BalusC top SO Java JSF user;bauke-scholtz.zeef.com -4;1388147173;9;A mandatory cast to Object is kind of funny;gist.github.com -60;1388139483;7;Top 10 not so popular Eclipse Shortcuts;summa-tech.com -27;1388111923;6;Which IDE do you prefer Why;self.java -0;1388059942;20;Part 3 of 3 Synopsis of articles amp videos on Performance tuning JVM GC in Java Mechanical Sympathy et al;neomatrix369.wordpress.com -1;1388054440;12;Looking for a tool offering CLI for building testing running Java project;self.java -14;1388016577;20;Which would you recommend for storing things like levels for players YML XML or SQL x post from r bukkit;self.java -3;1387983585;7;Oracle Tunes Java s Internal String Representation;infoq.com -16;1387981704;4;Clarifications on JDBC transaction;self.java -0;1387968854;5;Building a jar file HELP;self.java -3;1387966706;12;Need some help thinking through the architecture of this simple ish project;self.java -16;1387953109;4;Java Graphics and GUI;self.java -4;1387951707;12;Books and other resources for learning to use Java for interactive graphics;self.java -0;1387924762;15;How to create using Eclipse JavaDocs that looks good My current approach is not working;blog.diniscruz.com -14;1387920314;13;What is the difference between one line if statements and regular if statements;self.java -6;1387900403;8;The OCJP exam scoring retaking the test etc;self.java -8;1387899795;5;Questions about the OCJP exam;self.java -13;1387851294;11;Looking to start Learning Java what book s should I get;self.java -2;1387836459;17;Is there a predefined method for checking if a variable value contains a particular character or integer;self.java -9;1387833147;13;New to Java What are best practice for XML building and query building;self.java -2;1387830491;9;Something inherently wrong with how I m doing this;self.java -13;1387824857;6;Why must interface methods be public;self.java -7;1387821624;2;Layout help;self.java -3;1387808365;10;Java 8 Tutorials Resource and Books to learn Lambda Experssions;javarevisited.blogspot.sg -0;1387807698;5;What is up with else;self.java -5;1387807519;6;Orika Spring Framework easy bean mapping;kenblair.net -64;1387782603;4;Java Programming Timelapse Pong;youtube.com -10;1387750650;11;Why are all the JavaFX built in layout managers so bad;self.java -0;1387747664;6;Netbeans Windows Clean and Build problems;self.java -3;1387731010;15;Complete wipe of computer what do you suggest to have downloaded when start off fresh;self.java -0;1387717574;21;Trying to add an EVIL bit to java lang String aka Java Taint Flag and the first one has been set;blog.diniscruz.com -29;1387714859;8;JBoss AS 8 WildFly 8 CR1 is released;wildfly.org -0;1387713975;9;A blog post about creating Spring beans for tests;self.java -1;1387711472;6;Newbie question about strings and syntax;self.java -9;1387711037;7;Be a better Developer An Annotation Nightmare;beabetterdeveloper.com -2;1387707034;6;Need help with handling race conditions;self.java -0;1387696487;10;What is Java History of Java how it all began;javatalk.org -0;1387696427;12;Is it possible to run use Eclipse IDE online browser using RAP;self.java -0;1387694131;5;Partition a List in Java;baeldung.com -31;1387682725;12;Java Developers of Reddit are there any other programming forums you use;self.java -3;1387680823;18;XStream Remote Code Execution exploit on code from Standard way to serialize and deserialize Objects with XStream article;blog.diniscruz.com -13;1387667649;6;Why does my thread close automatically;self.java -1;1387643306;5;Ideas for a java project;self.java -6;1387627438;9;Any java conf s like javaone but less expensive;self.java -39;1387605861;10;Best way to expand java learning and get some skills;self.java -2;1387592654;4;GUI and other things;self.java -20;1387560484;16;New to Java working through short exercises Could someone please explain a result of this code;self.java -14;1387552956;5;Java Object Mapping with Orika;viaboxxsystems.de -11;1387548537;5;RAP 2 2 is available;eclipsesource.com -10;1387548501;4;Beginner Question about constructors;self.java -10;1387501275;3;JMS and JBoss;self.java -5;1387497946;20;Part 2 of 3 Synopsis of articles amp videos on Performance tuning JVM GC in Java Mechanical Sympathy et al;neomatrix369.wordpress.com -2;1387495678;14;What is the best book to get my dad for beginning to learn java;self.java -23;1387493859;11;What is a feature that the Java Standard Library desperately needs;self.java -0;1387493805;5;Help With Simple File Input;self.java -16;1387492223;7;Apache Sirona simple but extensible monitoring solution;sirona.incubator.apache.org -7;1387490864;10;Inter thread communications in Java at the speed of light;infoq.com -8;1387490460;9;Apache Mavibot 1 0 0 M3 released MVCC BTree;directory.apache.org -7;1387463371;6;Write concurrent Java tests with HavaRunne;lauri.lehmijoki.net -13;1387459733;6;RMI usage triggering regular Full GC;plumbr.eu -0;1387451019;6;AND and OR Operators in Java;self.java -0;1387446905;7;Banking system using hashMap and linked list;self.java -0;1387417329;13;Will learning JavaScript online hurt me from learning Java from a college course;self.java -1;1387404106;20;Part 1 of 3 Synopsis of articles amp videos on Performance tuning JVM GC in Java Mechanical Sympathy et al;neomatrix369.wordpress.com -1;1387369459;7;Yes you can do that in Maven;adamldavis.com -4;1387366205;21;Can anyone help me figure out how to check if an input is a number if the input is a String;self.java -0;1387361087;3;Chess Piece Help;self.java -40;1387338451;8;Coffee With Dessert Java And The Raspberry Pi;m.electronicdesign.com -9;1387308397;17;Does anyone know of a library framework that allows you to get a screengrab of a webpage;self.java -0;1387289961;4;JavaScript for Java developers;schneide.wordpress.com -32;1387272886;9;Hibernate 4 3 0 released JPA 2 1 certified;in.relation.to -7;1387237547;12;How would I go about creating an executable file for my program;self.java -2;1387160031;13;Eclipse and JDK trouble First couldn t find it now exit code 13;self.java -1;1387129508;15;Calculating probability from parameter estimates from a regression equation x post from learnprogramming and stackoverflow;self.java -62;1387118518;6;5 Facts about the Java String;codeproject.com -2;1387110785;8;Exercises and answers for threads synchronization and concurrency;self.java -6;1387079600;14;What are the best places to get practice program ideas X Post r learnjava;self.java -7;1387064908;7;Tutorial Simple HTTP Request in Android Java;droidstack.com -0;1387057090;5;Help creating Hashmap of Arraylists;self.java -5;1387055839;14;Implementing a HashMap class with generics Getting value type V from solely an Object;self.java -3;1387052085;9;What are some of the pitfalls of the JVM;self.java -19;1387040571;14;Programmers of this subreddit what s the best way for me to learn Java;self.java -0;1386994862;12;An error occurred while processing your request Reference 97 b147da3f 1386994777 1beed97d;java.com -6;1386993376;7;Adding and Removing MouseListeners from a class;self.java -11;1386974728;3;Noob Android Development;self.java -27;1386964869;7;About PayPal s Node vs Java fight;developer-blog.cloudbees.com -31;1386958824;12;What s the better career choice Java EE 7 or Spring 4;self.java -6;1386951968;12;Broadleaf Continues to Choose The Spring Framework over EJB 3 Sept 2012;broadleafcommerce.com -6;1386947786;7;Benchmarking SPSC concurrent queues latency using JMH;psy-lob-saw.blogspot.com -53;1386935856;8;Spring Java framework springs forward despite Oracle challenge;m.infoworld.com -0;1386927987;4;JDBC Basics for presentation;self.java -0;1386917239;2;Term Project;self.java -7;1386906858;5;Welcome to the new JavaWorld;javaworld.com -1;1386903077;3;Simulating in Java;self.java -4;1386902379;6;Having a hard time with recursion;self.java -0;1386895565;8;Need help returning lowest date in Java 1;self.java -1;1386891813;15;Fix monitor contention when parsing doubles due to a static synchronized method using bootclasspath p;github.com -4;1386888187;6;Commons BeanUtils 1 9 0 Released;mail-archives.apache.org -36;1386881083;11;Spring 4 0 GA released today time to experiment with it;spring.io -14;1386868054;11;Anyone know how to have java read the crontab in linux;self.java -8;1386861709;18;Find out how to Virtualize Java and the Challenges faced compared to the virtualization of other machine specifications;waratek.com -2;1386858128;6;Strategies for managing a large image;self.java -3;1386852001;3;Measure not guess;javaadvent.com -29;1386833095;8;Java Advent Calendar Anatomy of a Java Decompiler;javaadvent.com -0;1386829723;6;How to use an API question;self.java -3;1386823402;10;Using invoke dynamic to teach the JVM a new language;jnthn.net -5;1386815811;6;java generics extending multiple class interfaces;self.java -41;1386796442;11;Where to go to keep up with new developments in Java;self.java -1;1386794965;7;Javadoc creation gives 9 errors line Help;self.java -5;1386783186;11;Java Programmers One month head start enough to help a noob;self.java -2;1386772633;8;Enable CDI when bundling an overriding JSF version;weblogs.java.net -0;1386771571;5;Learning Apache Maven 3 Video;self.java -8;1386759187;7;Struts 2 3 16 GA release available;struts.apache.org -0;1386737017;13;What s the black console window that everyone seems to use to code;self.java -5;1386714088;7;Confused about a review question final tomorrow;self.java -15;1386701674;6;Java 8 for the Really Impatient;weblogs.java.net -0;1386699250;12;Apples and Oranges The Highlights of Eclipse IntelliJ IDEA and NetBeans IDE;parleys.com -0;1386698738;10;Java Only Working with basic file attributes in Java 7;java-only.com -1;1386697259;10;A Lesser Known Java 8 Feature Generalized Target Type Inference;java.dzone.com -51;1386688603;7;Jetbrains changes IntelliJ IDEA Personal Licensing Model;blog.jetbrains.com -1;1386671683;7;Time Overlap Check in Java Using BitSet;technoesis.net -0;1386664500;8;Help with front end wev dev in Java;self.java -2;1386657570;9;Where can I find a general tutorial on eclipse;self.java -50;1386626270;6;Apache Commons Collections 4 0 released;mail-archives.apache.org -11;1386626222;6;Apache Commons Pool 2 0 released;mail-archives.apache.org -6;1386625789;2;Java RMI;self.java -3;1386624915;9;Private constructor issue with Serialization of third party class;self.java -0;1386623995;6;What are the commonly expected Methods;self.java -8;1386622956;8;tempFile delete returns true but the files remain;self.java -4;1386605663;10;Addison Wesley Signature Series sale this week 50 off ebooks;informit.com -17;1386596292;10;Alexey Ragozin HotSpot JVM garbage collection options cheat sheet v3;blog.ragozin.info -5;1386593773;5;Framework for GANTT like charts;self.java -16;1386567643;15;Open source project plans to fork chromium bring java vm to the browser client side;upliink.aero -2;1386567432;15;The Firebird JDBC team is happy to announce the release of Jaybird 2 2 4;firebirdnews.org -8;1386549058;5;App to code on Android;self.java -0;1386541683;19;JAVA EXPERTS Help me kind of sort of finagle my FINAL EXAM for my intro to JAVA college course;self.java -22;1386521474;17;An overview of Apache Karaf a lightweight OSGi container by introducing its main components and overall architecture;developmentor.blogspot.com -8;1386503381;6;GC Tuning With Intel Performance Counters;javaadvent.com -27;1386490991;9;A print method that provides it source code line;self.java -0;1386439725;6;A month of Apache Tapestry 5;indiegogo.com -27;1386422984;5;Bouncy Castle Release 1 50;bouncycastle.org -16;1386422727;6;Spring WebSockets and Jetty 9 1;java.dzone.com -0;1386396433;52;I am really finding it difficult to understand Command and Observer Design Pattern Can someone explain me the complete flow with an example from end to end i am referring the link below but don t get it why we have so many classes and what is role of each in practical;newthinktank.com -0;1386376602;6;ELI5 Difference between classes and interfaces;self.java -0;1386357040;4;Connect 4 computer AI;self.java -0;1386353009;3;Java vs C;self.java -8;1386348605;6;Learning Java quick about IDE s;self.java -5;1386347380;19;Is 8 3 x 2 3 Math pow 8 3 java lang Math sqrt x 2 3 in Java;self.java -5;1386340923;4;Good JavaFX 2 layout;self.java -2;1386329475;8;Java template engine like Razor and Play templates;rythmengine.org -48;1386324008;3;JHipster home page;jhipster.github.io -0;1386312521;12;What is Java History of Java how it all began Java Talk;javatalk.org -5;1386306827;3;Semantic logging libraries;self.java -1;1386299871;3;Regarding Code Efficency;self.java -4;1386293491;3;R java help;self.java -47;1386282589;27;InnerBuilder an IntelliJ IDEA plugin that adds a Builder action to the Generate menu Alt Insert which generates an inner builder class as described in Effective Java;github.com -2;1386279171;18;Find optimal combination of flights to get from one place to another using a graph xpost r programminghelp;self.java -2;1386273527;4;How to test null;self.java -5;1386272504;11;Spring Why can t you just give me the Jar files;self.java -0;1386271119;6;Help with JCreator 5 00 Centering;self.java -2;1386259263;10;How can I hide INFO messages from org apache sshd;self.java -0;1386255923;6;Scala 1 Would Not Program Again;overwatering.org -15;1386253863;15;What is the Java server side response to HTML5 and jQuery like client side frameworks;self.java -0;1386244531;9;BEST JAVA IDE for JAVA Programming Language Java Talk;javatalk.org -7;1386212395;2;GUI applications;self.java -2;1386210139;9;Trouble with eclipse swt library on 32 bit JVM;self.java -1;1386208678;12;Help with Creating a My Anime List application for a final project;self.java -5;1386200651;3;preprocessing java ftw;gist.github.com -32;1386175431;5;Core Java 7 Change Log;java-performance.info -6;1386169280;9;Trisha Gee Design is a process not an artefact;jaxenter.com -1;1386154254;6;Hierarchical finite state machine for Java;github.com -2;1386147459;7;Java2Days 2013 Modern workflows for JavaScript integration;blog.mitemitreski.com -48;1386140075;9;Should Swing be deprecated to force use of JavaFX;weblogs.java.net -0;1386103389;7;Who uses null values in a list;self.java -0;1386096747;21;What is the correct way to use if statements i e How does having two else statements not overwrite one another;self.java -5;1386093370;4;Java compiler in java;self.java -0;1386090121;10;How to output the SUM of your name in Java;self.java -73;1386084025;3;IntelliJ IDEA 13;jetbrains.com -2;1386044537;15;Have you used any open source Java e commerce software Which one would you recommend;self.java -3;1386037900;27;Help I m making a class that uses different sorting algorithms on an array but the original array changes and ruins the sorting for the subsequent algorithms;self.java -0;1386036860;4;Tic tac toe GUI;self.java -18;1386018681;10;Best practice for many quick and short lived TCP Sockets;self.java -4;1386018166;10;A lite MSAccess mdb export tool Jackess Wrapper pure Java;github.com -1;1386014519;11;How to hide INFO level log output from org apache ftpserver;self.java -29;1386006389;4;Good algorithms book suggestions;self.java -1;1386005948;13;Create a simple RESTful service with vert x 2 0 RxJava and mongoDB;smartjava.org -0;1386004565;7;Help with making enemies disappear Android Game;self.java -3;1385999600;5;Java Game with Window Builder;self.java -40;1385996202;4;Current Java Web Stacks;self.java -13;1385981291;4;Collection of Hibernate links;hibernate-framework.zeef.com -6;1385963953;10;Any books you reccomend for a next to complete beginner;self.java -11;1385954063;4;Generic Data Access Objects;community.jboss.org -15;1385920677;6;Solr as a Spring Data module;blog.frankel.ch -0;1385916023;2;Java AutoUpdater;self.java -2;1385855237;11;x post javafx adding a date to a table via observablelist;self.java -2;1385850095;8;Can someone explain groupSum from CodingBat to me;self.java -6;1385842196;18;Do you always call certain variables by the same name If so what names do you normally use;self.java -321;1385807026;7;IntelliJ really has some hard working inspections;imgur.com -15;1385733045;6;Getting started with Spring Data Solr;mscharhag.com -0;1385731959;6;I have a problem with Java;self.java -0;1385717985;6;How to write Production quality code;javarevisited.blogspot.sg -6;1385693832;6;Interesting easy to learn java libraries;self.java -0;1385682982;5;Need help hashsets and deduplication;self.java -3;1385678063;10;Implementing the in Mapper Combiner for Performance Gains in Hadoop;dbtsai.com -3;1385673774;3;Unreachable statement Why;self.java -59;1385655184;9;Paypal Switches from Java to JavaScript for Production Applications;paypal-engineering.com -0;1385649681;10;Best Countries to Work and Live in as a Developer;blog.splinter.me -4;1385648614;13;Regex Help How to split a string with multiple back to back delimiters;self.java -8;1385646787;8;View UMLet diagrams inside GitHub with Chrome Extension;chrome.google.com -0;1385630627;11;I could use some help with a java problem for homework;self.java -0;1385627886;16;Fetching website s source code after x seconds page loads ie chat using JSoup or other;self.java -0;1385598095;5;I keep getting this error;self.java -3;1385592349;6;Am I marketable with the JVM;self.java -5;1385590121;6;Good libraries to get exposed to;self.java -15;1385588916;12;Java EE examples amp tests now a top level org on GitHub;blog.arungupta.me -4;1385585668;6;Strange String issues in JVM languages;sites.google.com -0;1385578899;13;Would 3 x 2 3 2 3 x 2 3 2 in java;self.java -5;1385575845;10;How do I register scp as a valid URL protocol;self.java -0;1385574924;8;How does this part of the code work;self.java -0;1385551732;3;coding the IoT;blogs.oracle.com -4;1385550507;15;GitHub s 10 000 most Popular Java Projects Here are The Top Libraries They Use;takipiblog.com -0;1385530864;17;Jdon is a java opensource reactive framework use to build your Domain Driven Design CQRS EventSourcing applications;github.com -0;1385526377;7;Quick question about creating new class types;self.java -0;1385514813;4;Question Answer MIDTERM EXAM;youtube.com -73;1385508694;7;What DON T you like about Java;self.java -0;1385494292;7;Help me printing out a directory tree;self.java -2;1385491168;4;Catching up Java knowledge;self.java -0;1385475404;15;Can somebody please help me with Math pow and specifically raising to the power of;self.java -3;1385470437;6;Time intervals and repetitions with Java;self.java -2;1385458316;7;Just got an interview for Java Developer;self.java -4;1385437851;6;Pseudo random number function in Java;self.java -3;1385413719;13;Teaching myself Java Having issues de serializing an array from a file Java;self.java -0;1385401167;6;What is giving me these errors;i.imgur.com -1;1385392870;5;Java SE 7 Programmer I;self.java -12;1385387611;6;6 Differences between Java and Scala;javarevisited.blogspot.com -28;1385380964;8;AOT compiler Excelsior JET pay what you can;self.java -0;1385373341;1;Hybernate;self.java -10;1385350694;7;YAML JSON Parsing for settings configuration file;self.java -7;1385349060;6;Help with a random number generator;self.java -8;1385331187;6;Making a round grid world help;self.java -9;1385307344;7;Who of you uses JNI and why;self.java -17;1385305971;4;Spreading some JavaFX love;blog.frankel.ch -20;1385289110;7;Is Effective Java 1st Edition still relevant;self.java -0;1385267975;5;Need help with a program;self.java -40;1385267931;6;Google Guava s Bloom Filter Tutorial;codingjunkie.net -4;1385267791;16;Interesting Woodstox STAX Tutorial Including Comparison With DOM Based XML Parser With Full Sample Source Code;developerfusion.com -3;1385261278;13;Comparing the Lotus Notes Domino and Sharepoint as platforms for Rapid Application Development;self.java -0;1385219682;11;Changes to String internal representation made in Java 1 7 0_06;java-performance.info -0;1385187442;5;Echoing all values in bean;self.java -0;1385178060;6;Asynchronous Java database and Play Framework;self.java -0;1385155219;7;Can A Java Class Constructor Be Private;sribasu.com -2;1385153592;9;Implementing a DFA in Java without using reg expression;self.java -4;1385147767;23;Looking to develop for small businesses such as trading companies and retail businesses Wondering how I should prepare myself More in the description;self.java -13;1385136179;4;International Base64 Encoding Confusion;self.java -30;1385107150;9;Has anybody been using the JDK 8 Early Release;self.java -0;1385106328;12;Is there a Java library for interacting with the Ebay Shopping API;self.java -3;1385100494;5;Learning Java coming from Python;self.java -0;1385094710;19;Hopefully this is a simple question how do I update components in a JPanel instead of add remove them;self.java -0;1385077863;13;If statements not registering as false when they should am I being stupid;self.java -0;1385070176;7;I need help for my java project;self.java -0;1385064766;10;Need help finding the correct command for a Modding Project;self.java -0;1385063537;12;Lightweight HTTP FTP servers for use with JUnit tests and ClassLoader files;self.java -31;1385062802;6;Pretty good java 8 lambda tutorial;dreamsyssoft.com -0;1385060115;4;New free dns service;self.java -59;1385030691;9;New backdoor worm found attacking websites running Apache Tomcat;arstechnica.com -0;1385019559;4;I am Learning Java;self.java -0;1385007551;8;Need help deciding on a simple ish project;self.java -0;1385004650;6;Need help with the Point class;self.java -0;1385001271;8;Need help converting json into ArrayList using GSON;self.java -0;1384993377;6;Formatting a Gui interface in java;self.java -10;1384956409;11;Day 22 Developing Single Page Applications with Spring MongoDB and AngularJS;openshift.com -0;1384950353;10;Cache vs In Memory Data Grid vs In Memory Database;dzone.com -65;1384940484;9;Poison Null Byte and The Importance of Security Updates;blog.c2b2.co.uk -0;1384929058;8;QUESTION What JVM languages has the best ecosystem;self.java -0;1384923792;30;Please help My least common multiple method seems to be missing a return statement but I m sure I ve put one Does anyone know what I m doing wrong;self.java -1;1384916193;5;Discovering Corporate Open Source Contributions;garysieling.com -0;1384911306;7;Removing duplicates from a double linked list;self.java -4;1384907812;5;Need help with strange SSLHandshakeException;self.java -2;1384905926;6;Best performance monitoring tools for Tomcat;self.java -5;1384897513;6;Having trouble with random Integer Arrays;self.java -1;1384889778;10;Is it possible to see the code behind an app;self.java -0;1384886637;9;Got a problem with my bouncing ball help Please;self.java -0;1384883213;6;jd gui best Java Decompiler ever;self.java -6;1384880127;8;Questions about Java SE 7 Programmer I Cert;self.java -0;1384869957;2;Spring Loaded;self.java -10;1384869183;7;Trove High Performance Collection Library LGPL License;trove.starlight-systems.com -38;1384868777;7;Memory Efficient Java Tutorial Direct PDF Link;cs.virginia.edu -25;1384865079;4;Profiling and memory handling;self.java -3;1384841995;27;My Friend says my code is really messy what do you guys think and how could i improve it to make it easier to read for people;pastebin.com -0;1384830496;10;ELI5 how to impliment persistance on a simple java program;self.java -5;1384815996;7;Notes from Java EE meetup at Devoxx;blog.arungupta.me -1;1384795583;7;Best Headless alternatives to Java WebStart JNLP;self.java -0;1384793287;4;Make printer form feed;self.java -59;1384788363;25;TIL Oracle changed the internal String representation in Java 7 Update 6 increasing the running time of the substring method from constant to N programming;reddit.com -6;1384787985;7;This Great Library Need More Attention op4j;op4j.org -0;1384787196;7;JAVA Tutorials and Example with Source Code;javatutorialsource.blogspot.com -17;1384786261;10;JRE 7 is the only thing in my path variable;self.java -5;1384786187;15;If anyone is familiar with the JDBM BTree interface I could use a little help;self.java -0;1384783698;12;How to use Intellij idea Live templates to make your life easy;lankavitharana.blogspot.sg -0;1384776358;6;Need help reading from txt file;self.java -0;1384766087;11;Having some issues with Java Homework could really use some help;self.java -0;1384755904;12;Having an arrayindexoutofbounds problem in eclipse not sure how to solve it;self.java -0;1384738360;21;Need help writing a method that will take in an integer parameter and return an integer array filled with random numbers;self.java -4;1384737489;7;How do i make my program standalone;self.java -40;1384733631;22;All java based games minecraft 8bit mmo etc have been displaying font this way What happened and how do I fix it;i.imgur.com -5;1384731102;7;What is the purpose of an Interface;self.java -0;1384728318;11;I need some help understanding the problem I need to build;self.java -0;1384723016;5;Allow user to name object;self.java -0;1384716554;8;Is setting the classpath as a property portable;self.java -0;1384713530;13;Using JSF 2 2 features to develop ajax scrollable lazy loading data table;dwuysan.wordpress.com -0;1384704485;6;Allow user to set object name;self.java -3;1384693774;7;Turning Assertions Into a Domain Specific Language;petrikainulainen.net -21;1384687844;15;Java 8 Lambda Expressions and the Psychology of the Masters of the Universe devoxx style;ileriseviye.wordpress.com -6;1384665415;8;Another day another Java menace Ceylon has landed;jaxenter.com -30;1384638589;8;When to use Java and when to not;self.java -0;1384627118;37;Hey guys so Im trying to make a recursive method that finds the minimum value in an array and returns it But im having some trouble with my code When executing it just returns 0 Any suggestions;self.java -38;1384622389;11;R in Java FastR an implementation of the R language scribd;oracle.com -11;1384609153;10;Can java be used to make a video editor app;self.java -8;1384583031;8;Day 18 BoilerPipe Article Extraction for Java Developers;openshift.com -0;1384579111;3;3d game tutorial;self.java -6;1384561774;7;What Java EE Book would you recommend;self.java -22;1384543698;12;Ents a new Entity Component Model View Controller game library for Java;self.java -0;1384543173;9;Looking for some starter projects to help me learn;self.java -9;1384540643;8;Get a REPL On Your Current Java Project;joeygibson.com -23;1384532649;31;I just posted this to a request for advice on becoming a Java developer in r Austin anything I missed or messed up I don t want to lead anyone astray;self.java -17;1384525177;17;Juergen Hoeller Co founder of the Spring Framework Spring eXchange Keynote Spring 4 on Java 8 Video;skillsmatter.com -0;1384521576;4;Java Application with DB;self.java -1;1384501961;13;Should I use an embedded web server or deploy to a standalone server;self.java -4;1384498002;17;Day 17 JBoss Forge Build and Deploy Java EE 6 AngularJS Applications using JBoss Forge and OpenShift;openshift.com -16;1384464879;14;Google open sourced AutoValue an immutable value type code generation for Java 1 6;docs.google.com -0;1384452140;14;Java beginner stuck amp feel like I m so close to figuring it out;self.java -37;1384450454;8;Create charts in Excel using Java Apache POI;programming-free.com -6;1384440283;32;My company just announced a 5 3M investment We use Java machine learning and game theory to predict what will interest people We re based in Austin TX and we re hiring;self.java -0;1384434745;9;Need help with coding on Khan Academy Java base;self.java -33;1384419158;5;Ceylon 1 0 0 released;ceylon-lang.org -1;1384408405;6;JavaFX Problem with Oracle FXML Example;self.java -8;1384391399;7;Difference between Static and Non Static Methods;self.java -0;1384375593;12;Easy way to integrate SPICE circuit simulator into JAVA without OS dependencies;self.java -38;1384374638;9;Repository of Java 8 source code examples for learning;github.com -6;1384371831;10;My first major accomplishment been coding for about three months;self.java -14;1384354385;21;Can JavaFX be compiled to HTML5 JS Or is it a competitor to Flash in an era where Flash is dying;self.java -0;1384354212;5;import awt is not working;self.java -2;1384351224;23;Mac using 10 6 8 seems unable to use Java in both Chrome amp Safari but insists that it is up to date;self.java -0;1384342031;11;Newbie seeking help with probably a simple problem unique to me;self.java -20;1384337960;14;First OpenJDK OpenJFX 8 App finally found its way to the Mac App Store;mihosoft.eu -3;1384325213;11;So i finished my 1st java program that actual does something;self.java -17;1384321620;5;IntelliJ 13 preview now available;blog.jetbrains.com -1;1384309677;6;Java tool to browse Windows shares;self.java -0;1384302972;9;Help with a type of syntax for arrays substrings;self.java -9;1384298033;5;syso like shortcuts on Eclipse;self.java -8;1384291113;21;Is it bad practice to use interfaces as a way to store constants even if it s for only two classes;self.java -0;1384290259;13;Minecraft Make Your Own Mod Part 1 Introduction and Java Setup How To;youtube.com -8;1384289787;6;What s up with the Factories;self.java -0;1384287994;5;Java Algorithms question need help;self.java -0;1384284530;7;Adding a jPanel GUI to a jPanel;self.java -2;1384272663;5;How does Math random work;self.java -2;1384269204;6;Lambdas for Fluent and Stable APIs;blog.thesoftwarecraft.com -78;1384250464;9;AMD charts a path to Java on the GPU;semiaccurate.com -0;1384243005;4;Need help ASAP please;self.java -3;1384234547;9;Day 13 Dropwizard The Awesome Java REST Server Stack;openshift.com -0;1384226318;3;User Defined Exceptions;self.java -11;1384217510;15;I am stuck in programming I really don t know where to go from here;self.java -15;1384214892;42;I need help understanding what exactly the spring framework is used for I have read about it a bit and I understand the concepts of AOP and IOC But a little more explanation with respect to real world examples would be awesome;self.java -7;1384202100;5;Code convention for spring annotations;self.java -6;1384158827;13;BQueue A Single Producer Consumer queue alternative interesting near empty full queue handling;psy-lob-saw.blogspot.com -17;1384152677;8;Day 12 OpenCV Face Detection for Java Developers;openshift.com -0;1384146827;7;Where should I start my unit tests;self.java -0;1384140170;6;SwitchMap error after decompiling jar file;stackoverflow.com -42;1384136855;20;Forbes wrote an article about r java and u kristler after his shining example of the Socratic method of teaching;forbes.com -1;1384128536;7;Creating an ssl connection using a p12;self.java -55;1384126877;16;Do you think Java will still be a dominant programming language in a decade In two;self.java -0;1384124919;2;Swing help;self.java -1;1384120187;3;Question about serializable;self.java -3;1384119949;7;Book review Getting Started with Google Guava;blog.mitemitreski.com -7;1384114132;8;Desktop app that connects with a weather site;self.java -0;1384111864;3;10 method program;self.java -11;1384110313;4;IBM witdraws Geronimo support;www-01.ibm.com -25;1384089425;3;Strange Graphics Bug;imgur.com -17;1384052585;3;Java to Arduino;self.java -6;1384034920;7;Create a JSF flow programmatically using annotations;weblogs.java.net -0;1384014409;9;A Java geek Integrate Spring JavaConfig with legacy configuration;blog.frankel.ch -24;1384013214;6;Learning the history of Java Platform;self.java -0;1383996724;8;Need help with my first simple java program;self.java -0;1383982538;6;Need help installing and running java;self.java -0;1383979967;27;Taking a CS class made a program in which you play rock paper scissors vs the computer How d I do and what improvements could I make;self.java -2;1383979452;9;Day 11 AeroGear Push Server Push Notifications Made Easy;openshift.com -0;1383974356;12;Help with a normal and reverse binary search on an array list;self.java -0;1383959913;6;Help with this simple GPA Calculator;self.java -0;1383946836;17;Q What is the simplest way to save High Score to a file and read it later;self.java -0;1383941796;10;Step by step install Apache Tomcat in Amazon EC2 instance;excelsior-usa.com -5;1383940919;5;Suggestions for good Java resources;self.java -0;1383940162;17;Does there exist an automatic HTML table generator that does the row counting wrapping logic for you;self.java -0;1383938950;3;Web Application Container;self.java -73;1383938179;5;Popular Coding Convention on Github;sideeffect.kr -0;1383931092;14;How to search and find the current contents of an array for a number;self.java -9;1383925201;5;20 Java unit testing framework;ssiddique.info -17;1383924638;6;NetBeans warning about If Else statements;self.java -1;1383924288;7;Tips for witching from Eclipse to IntelliJ;self.java -11;1383918511;7;Java Should I assert or throw AssertionError;flowstopper.org -33;1383918048;17;Informal Poll What Frameworks and Servers do you use to build your Java web application at work;self.java -6;1383912094;6;Accessing Google Calendar using their API;self.java -4;1383905286;9;How to gather information to support remote J2EE applications;self.java -0;1383880969;9;Help with basic Java programming in Dr Java Urgent;self.java -0;1383880876;10;Good and bad books for OCAJP 7 Exam 1Z0 803;codejava.net -0;1383872839;8;Help with a little program editing amp compiling;self.java -0;1383871491;11;How can I import my own graphics to a Snake game;self.java -0;1383870633;5;Regex and print formatting notation;self.java -0;1383867695;11;Rounding up or down based on which perfect square is closer;self.java -0;1383866084;11;Problems with compressor code for robotics don t really know java;self.java -0;1383862230;6;Having trouble with arrays university assignment;self.java -0;1383848048;10;New to Java trying to accomplish a simple switch code;self.java -11;1383843192;9;R I P GlassFish Thanks for all the fish;blog.eisele.net -10;1383840226;7;Trouble connecting to MS SQL Server Database;i.imgur.com -79;1383838809;5;5 Useful Hidden Eclipse Features;tech.pro -4;1383816348;2;Stateless JSF;weblogs.java.net -4;1383804180;9;How to identify AWT component names in running applet;self.java -621;1383798569;9;Changing the color of a bug based on direction;self.java -4;1383771806;7;SAP Integration with Red Hat JBoss Technologies;de.slideshare.net -0;1383766365;5;New to Java need help;self.java -0;1383756292;4;Sin x Program homework;self.java -0;1383752328;3;GUI help netbeans;self.java -9;1383749731;6;Connecting to Eclipse Kepler OSGi Console;digizol.com -2;1383746631;7;What does read timeout means in URLConnection;self.java -0;1383733420;3;Switch Case help;self.java -15;1383731654;16;Q How are real time updates achieved on a HTML front end with an MVC backend;self.java -7;1383703951;9;Help With Managed Images and OSX Xpost r javagamedev;self.java -18;1383682404;14;My company is going to pay for my Java courses Which is your favorite;self.java -2;1383671891;16;Does anyone have any experience invoking TestNG programmatically within java running only a single test method;self.java -2;1383660427;11;What is your go to resource for java tuts news etc;self.java -0;1383654527;9;Help with Java Not getting the answers I need;self.java -4;1383635072;8;Java toString the Program Logic vs Debug Dilemma;flowstopper.org -0;1383624968;7;How to install javadb in 64bit OS;self.java -0;1383616301;5;Estudo de Java Para iniciantes;arruda.blog.br -15;1383614895;3;Stateful JAX RS;self.java -29;1383590512;8;No more commercial support from Oracle for GlassFish;blogs.oracle.com -13;1383588541;13;Is there anyway to re inject data into a method for rapid testing;self.java -26;1383584236;14;How can I scan my java code for fields yet to be javadoc ed;self.java -0;1383582982;2;Pastebin Scraper;self.java -2;1383579738;11;Day 6 Grails Rapid JVM Web Development with Grails And OpenShift;whyjava.wordpress.com -1;1383575847;9;Desktop Java Server Side Java Embedded Java Informal Poll;self.java -12;1383557877;6;Spring Framework 4 0 RC1 released;spring.io -0;1383557180;4;My case against autowiring;blog.frankel.ch -50;1383538245;10;HikariCP New JDBC Connection Pool blows doors off the competition;brettwooldridge.github.io -1;1383526335;6;Accessing localhost SQL database with Netbeans;self.java -20;1383520538;10;The difference between doing a job and getting a job;self.java -12;1383510992;6;WebLogic 12c Does WebSockets Getting Started;blog.c2b2.co.uk -8;1383490821;16;Trying to improve my best practices Care to critique a short two classes program I wrote;self.java -7;1383484747;11;Firebird Java driver Jaybird 2 3 will become Jaybird 3 0;firebirdnews.org -1;1383424031;8;Java 8 Lambdas in Action First chapter free;manning.com -3;1383422465;7;Is anyone here developing for Adobe CQ5;self.java -23;1383412165;5;Java tutorial for beginners Introduction;javatutorialbeginner.blogspot.com -0;1383408121;3;Java help requested;imgur.com -0;1383385319;9;Need help with a CS 110 Connect 4 project;self.java -0;1383350694;8;Java noob help me improve this code please;self.java -0;1383343644;5;Migrate your ManagedProperty to annotations;weblogs.java.net -0;1383340513;6;How would I search for this;self.java -0;1383334495;2;Java tutorial;self.java -0;1383333841;2;Learning BIRT;self.java -0;1383314960;8;Help for me and those mobile java programmers;self.java -0;1383312974;6;D mystifier les iteratees avec Java;infoq.com -11;1383309659;7;Discovering Senior Developers From Source Code History;garysieling.com -0;1383298167;13;How to specify null value in MS Access through the JDBC ODBC bridge;stackoverflow.com -108;1383292435;13;Watch out for these 10 common pitfalls of experienced Java developers amp architects;zeroturnaround.com -1;1383279481;10;Starting a new Java app with Spring MVC Stop me;self.java -4;1383236109;5;Less verbose alternative to Maven;self.java -14;1383223742;8;How to cache component rendering in JSF example;byteslounge.com -0;1383217800;4;Help on Java JSF;self.java -8;1383212537;8;Migrate your JSF ManagedBean to CDI Named annotations;weblogs.java.net -0;1383195125;10;Scanner based program to remove comments trying to use useDelimiter;self.java -0;1383180485;6;Java redirect to download updated plugin;self.java -3;1383176081;10;Project JAdventure Looking for a project to get involved in;self.java -0;1383173031;5;help with java letter counting;self.java -0;1383163849;8;Core Java JPA Hibernate Spring Youtube Video Channel;hubberspot.com -1;1383159529;7;Scanner reads uc285 as end of line;self.java -15;1383159051;15;Is it common for JVM to complain of heap errors when you spawn 100 threads;self.java -0;1383150858;4;The IoT takes flight;jaxenter.com -0;1383136741;6;synchronized vs ReentrantLock in java threading;guruzon.com -1;1383102904;6;Having some troubles with this program;self.java -7;1383096786;12;Strange problem with JDK 1 7 0_45 on Mac OS X Maverick;self.java -0;1383086574;7;Databen ch JVM Persistence Benchmark Round 2;databen.ch -10;1383086365;8;Disabling all EJB timers in Java EE 6;jdevelopment.nl -17;1383080775;20;Tutorial Designing and Implementing a Web Application with Spring we ve had no end of questions on this topic lately;spring.io -10;1383077764;3;Working with PDFs;self.java -4;1383069411;6;Lesser known concurrent classes Part 1;normanmaurer.me -5;1383064810;8;Java Swing in 2013 Is it worth it;java.dzone.com -0;1383060745;32;Would it be easy to reuse Jersey s JAX RS Routing capabilities I am looking to make a JAX RS implementation for Finagle and would prefer to not have to rewrite everything;self.java -3;1383054042;6;Help with Connect 4 in Greenfoot;self.java -0;1383021746;3;Help with pseudocode;self.java -0;1383018718;12;Yahoo games and unsigned applications warning Not overly important just wondering something;self.java -0;1383012278;5;help with basic java strings;self.java -0;1383008298;2;Joyce Farrell;self.java -0;1382996419;16;Help with polymorphism For some reason I can t get the instance variables of the superclass;self.java -0;1382992141;10;Lady Java YouTube Something funny I ran across on Youtube;youtube.com -3;1382989872;20;A simple and easy Java Performance API that allows single and multi thread benchmarking with assertions what do you think;github.com -2;1382975455;6;Hibernate Bidirectional OneToOne primary key association;fruzenshtein.com -0;1382968943;8;Spring Make your java based configuration more elegant;fruzenshtein.com -0;1382936255;10;How to Make a Java Virus Just a little fun;youtube.com -0;1382917177;11;I m really interested in learning but starting is so confusing;self.java -2;1382900333;6;Of running multiple regexp at once;fulmicoton.com -15;1382891062;7;Java EE 7 JSR 166 Concurrency Utilities;en.kodcu.com -0;1382886316;4;Needing help with Java;self.java -19;1382885809;18;If you could only buy one book to learn as much Java as possible what would it be;self.java -0;1382840178;9;Making a char by removing spaces from another char;self.java -15;1382824148;5;Howto overwrite static final field;self.java -26;1382785638;10;JavaOne 2013 Roundup Java 8 is Revolutionary Java is back;infoq.com -0;1382770640;11;Problem with Program can someone help a new java coder out;self.java -0;1382765322;5;Java Help for a noob;self.java -0;1382760095;7;Need help with exception handling in swing;self.java -47;1382750957;22;If I were hired at your place of work as a java developer what might my first week of work be like;self.java -0;1382745100;2;Immediate Help;self.java -0;1382739450;2;coding help;self.java -0;1382730760;5;Need beginner java question answered;self.java -0;1382729294;7;Flapi A fluent API generator for Java;github.com -4;1382725115;9;How do I install Java SE 6 in Mavericks;self.java -2;1382722011;7;Java and XML Based Neural Net Suite;github.com -6;1382705889;9;Book to learn EJB on not so basic level;self.java -12;1382695879;6;a atay ivici of PrimeFaces interview;devrates.com -6;1382676922;14;How can I write to a javax sound sampled SourceDataLine without blocking or polling;self.java -0;1382674452;8;Explain JPA Java Persistence API and its Architecture;youtube.com -0;1382671682;13;I want to know what r java thinks of this program I wrote;self.java -0;1382665891;4;What s the difference;self.java -0;1382664772;5;Fixing basic code for homework;self.java -0;1382662526;1;jQuery;plugins.jquery.com -0;1382645826;3;Need some advice;self.java -0;1382641269;2;JFrame error;self.java -7;1382640823;8;How to remove included resources in JSF example;byteslounge.com -0;1382636116;14;Java being blocked at work What does this mean sorry for the idiotic question;self.java -0;1382635015;7;How You Helped Shape Java EE 7;blogs.oracle.com -0;1382629803;5;Simple array for loop issue;self.java -1;1382621043;6;The road ahead for WebLogic 12c;technology.amis.nl -0;1382619761;19;Not sure if this is the right place but I need help with a program that I am writing;self.java -11;1382596750;3;Web App frameworks;self.java -0;1382580739;8;Swing component not sure how to create this;self.java -0;1382574346;7;Need help converting png to int please;self.java -0;1382568544;3;help por favor;self.java -0;1382567137;7;Rock Paper Scissors program in Java 1;self.java -0;1382560618;11;Here are some tutorials if you are trying to learn Java;youtube.com -3;1382542012;17;Why Can t Johnny Read Urls Request for comments on a URL library in Java xpost programming;gist.github.com -28;1382534621;8;We don t have time for code reviews;blog.8thcolor.com -0;1382534516;10;Getting Started with method security in Grails using Spring Security;mscharhag.com -2;1382532931;23;OOP Has A relationship has my mind swimming Details with POC working code inside just want to make sure I m not stupid;self.java -0;1382521115;6;Trying to understand System out printf;self.java -1;1382500550;6;Need help with Git on NetBeans;self.java -1;1382500388;10;Learning programming at home using Java Any books you recommend;self.java -0;1382496265;17;Why wont one piece of code work in netBeans but it work perfectly fine in Eclipse Keplar;self.java -0;1382490510;2;Weird error;self.java -0;1382470048;13;Can anyone point me to an example of an attractive desktop Java app;self.java -0;1382467526;14;Popping Tag libs From my co worker s wall while removing old custom taglibs;imgur.com -1;1382462434;4;eli5 java file constructor;self.java -0;1382451161;11;Why should you use Unchecked exceptions over Checked exceptions in Java;jyops.blogspot.in -1;1382446062;7;A Boon to Java Development introducing Boon;rick-hightower.blogspot.sg -2;1382442921;14;Exclusive interview with Hans Dockter ahead of his keynote at the Gradle eXchange 2013;skillsmatterblog.wordpress.com -2;1382437443;3;Demystifying ThreadLocal variables;plumbr.eu -5;1382419764;4;Java 1 6 REPL;javarepl.com -1;1382403621;7;Is there anything wrong with this practice;self.java -3;1382402688;3;Best Java applications;self.java -48;1382400794;8;Is Java the right language to learn first;self.java -0;1382400214;13;How to print the first and second digit of a two digit number;self.java -0;1382396565;15;How to insert a variable entity into the html code from my java server code;self.java -0;1382391082;5;5 Song MP3 Player Problems;self.java -0;1382387735;13;REST JaxB Validating parameters Can someone help point me in the right direction;self.java -2;1382385020;12;Can i be good at Java without a degree in Computer Science;self.java -7;1382380146;9;How can I statically add elements to a Map;self.java -0;1382376253;5;What makes a great developer;beabetterdeveloper.com -2;1382343276;7;A failed experiment improving the Builder pattern;branchandbound.net -5;1382340841;19;Multi Producer Single Consumer Queues From 2M ops sec 6 producers ABQ to 50Mops sec lock free MPSC backoff;psy-lob-saw.blogspot.com -0;1382336478;10;Dear Java Stop alt tabbing me from games to update;self.java -6;1382334990;14;Anyway to automatically prepare a static variable that can t just be trivially initialized;self.java -0;1382320719;3;Basics on iteration;self.java -2;1382315685;10;Annoying issue trying to remove line feeds from XML SAX;self.java -0;1382310020;7;Code for updating a value every minute;self.java -4;1382291418;5;Why embed javascript in java;self.java -47;1382288701;7;You Thought You Knew About Java Performance;nerds-central.blogspot.com -0;1382264738;13;Cannot get junit to work in eclipse after upgrade to windows 8 1;stackoverflow.com -9;1382254256;7;Brian Goetz Survey on Java erasure reification;surveymonkey.com -6;1382249852;7;Looking for advice doing a VoIP project;self.java -0;1382232834;5;JDK 7 will not uninstall;self.java -0;1382231745;8;HW Help Coding a simple interface calculator class;self.java -0;1382212766;9;Why is it so hard to find Java talent;ensode.net -0;1382197153;7;Alternative to Oracle Java for the browser;self.java -27;1382195649;9;JHades Your way our way out of Jar Hell;jhades.org -31;1382191919;9;Oracle releases 127 security fixes 51 for Java alone;nakedsecurity.sophos.com -5;1382179310;8;PrimeFaces Extensions drag and drop feature in Timeline;ovaraksin.blogspot.com -13;1382177610;21;I wrote up a small example that shows how to use the FileSystem URL Reader Pattern Objects InputStream URL URI etc;rick-hightower.blogspot.com -14;1382137540;6;JEUS application server The story continues;arjan-tijms.blogspot.com -2;1382136607;9;Meta Can we have a monthly job posting thread;self.java -0;1382130338;8;HIRING ENFOS is looking for Java Software Engineers;enfos.com -0;1382129541;5;Wanted Java developers to be;infoworld.com -2;1382129098;7;Hibernate Facts The importance of fetch strategy;vladmihalcea.wordpress.com -0;1382112388;2;Method Parameters;self.java -0;1382109772;14;How can I configure maven antrun plugin to print out the command it runs;self.java -5;1382101501;10;JPA Criteria API By Example x post from r JPA;altuure.com -26;1382093067;10;RESTful Webservices made easy with spring data rest An Introduction;beabetterdeveloper.com -0;1382067172;5;Need Java Help for class;self.java -0;1382061810;4;Adding JPanels to JFrames;self.java -7;1382057906;5;JRE not updating Mac OSX;self.java -2;1382056950;25;I have a friend who insists on using Terminal the built in OSX app to program in Java How can I convince him not to;self.java -0;1382038874;3;Java Developer Position;linkedin.com -0;1382030716;10;Custom error pages for expired conversations involving CDI and JSF;jaitechwriteups.blogspot.com -0;1382029621;9;Add Some Entropy and Random Numbers to Your JVM;tech.pro -18;1382023886;11;The most popular Java EE 7 technologies according to ZEEF users;arjan-tijms.blogspot.com -0;1382020642;10;Why are my class files smaller under linux than windows;self.java -1;1382020456;26;Is there a way to continue to use java jre 1 7 0_25 Since update 45 cane out with a new security baseline it s blocked;self.java -0;1382016348;2;Overloading variables;self.java -0;1382015061;3;Java Digital Signature;self.java -7;1382011084;11;How to handle many many objects without running out of memory;self.java -20;1381996683;9;Which features would you love to see in Java;self.java -0;1381991793;6;What has happened to Spring MVC;self.java -2;1381991221;9;Java resources tutorials for experienced programmers in other languages;self.java -1;1381985388;17;Is it correct to use a volatile Void field to enforce a consistent view of global memory;self.java -21;1381984667;36;YSK JIVE interactive execution environment for eclipse You can manually step forwards AND BACKWARDS through a program s execution while it syncs the code position sequence diagrams object diagrams AND console output It s gloriously helpful;cse.buffalo.edu -0;1381977580;18;If I wanted to learn to code where would I start and how would I go about learning;self.java -0;1381966381;4;object oriented design questin;self.java -14;1381959682;4;Semantic diffing Java code;codicesoftware.blogspot.com -3;1381959084;2;Lexicographical Order;self.java -0;1381955438;9;Explain Java Class Loaders Java Interview Questions and Answers;youtube.com -12;1381955423;14;A more efficient way of moving an array of C strings into Java space;self.java -2;1381951298;11;Free Java Devroom Call for Papers now open for FOSDEM 2014;wiki.debian.org -0;1381947770;5;Please help me with java;self.java -39;1381934173;4;NetBeans 7 4 released;netbeans.org -0;1381930034;3;question about error;self.java -66;1381907897;7;Hilarious job posting for a Java developer;i.imgur.com -7;1381900885;15;JDBC lint helps Java programmers write correct and efficient code when using the JDBC API;github.com -38;1381894447;7;1000 Responses to Java Is Not Dying;drdobbs.com -19;1381875220;9;Please explain the relationship between OpenJDK Oracle and HotSpot;self.java -9;1381873454;7;Oracle Critical Patch Update Advisory October 2013;oracle.com -0;1381871313;6;Assistance needed for small project questions;self.java -0;1381863662;4;Boost your development speed;beabetterdeveloper.com -0;1381856828;3;hey help please;self.java -9;1381853961;9;Best ways to learn about multi threading and concurrency;self.java -0;1381851102;3;Self teaching Java;self.java -6;1381847732;8;Best place to assist in self teaching Java;self.java -15;1381830613;11;Why is my code running significantly faster on an older machine;self.java -0;1381821909;5;PrimeFaces 4 0 1 released;blog.primefaces.org -2;1381819235;13;Help with error Could not open create prefs root node Software JavaSoft Prefs;self.java -5;1381810232;18;What does the Java certification exam cover and would 2 classes on it be enough to pass it;self.java -0;1381806420;7;Error in my queue simulator Need Help;self.java -0;1381788380;4;some help if possible;self.java -2;1381784768;14;How are you designing your Java web architecture to include more client side libraries;self.java -21;1381782732;9;The Resurgence of Apache and the Rise of Eclipse;insightfullogic.com -2;1381762813;10;Just started learning java need help with classes and methods;self.java -3;1381762365;13;In a Maven project how can I configure JUnit to show error traces;self.java -27;1381734484;12;Hitting 400M TPS between threads in Java using a lock free queue;psy-lob-saw.blogspot.com -2;1381732426;7;Issues with multi project maven Java project;self.java -33;1381723871;12;What kinds of skills does a Java programmer need for a job;self.java -1;1381698184;3;Why the hate;self.java -4;1381695662;11;What learning sources print or online best cover idiomatic Java practices;self.java -0;1381673044;3;Need some help;self.java -8;1381666819;4;Java update mirror broken;self.java -2;1381655660;20;Would like to learn about a practical implementation of CDI Context and dependency injection in Java EE in real life;self.java -1;1381652620;15;Changing the displayed value of a button after clicking on it from a java bean;self.java -0;1381619947;23;Fun with genetic algorithms image generation using GA inspired by the Alsing Mona Lisa blog post r java tell me what you think;self.java -24;1381616700;5;Is Java a hard language;self.java -0;1381608131;8;Using the Very Unsupported Java Flight Recorder API;hirt.se -8;1381604087;14;JBoss 8 next State of the Union starring Wildfly it s new ModularServiceContainer heart;reddit.com -0;1381594217;13;Help on a small piece of code question Not sure if right place;self.java -0;1381579715;15;Remember the good old days when we were newbies Can I combine Java and SQL;stackoverflow.com -2;1381536522;10;Beginner Java student looking to branch out into Android development;self.java -2;1381527427;9;Batch Jobs and CDI Quartz ExecutorService etc And BatchEE;kildeen.com -48;1381514332;6;How Java Programmers Feel in 2013;discursive.com -1;1381467953;9;Can anyone help me make this method more efficient;self.java -0;1381465481;19;Are there other options than using nested ifs or switch case for evaluating a number and returning a string;self.java -0;1381463922;11;What do I do with the class file I ve created;self.java -0;1381450057;3;Java homework help;self.java -50;1381420030;13;10 Reasons Why Java Rocks More Than Ever Part 2 The Core API;zeroturnaround.com -0;1381416736;6;Is Java JNI in JEE possible;self.java -5;1381416564;9;Will Java 8 IO input streams feature boolean isClosed;self.java -11;1381391165;7;CodeCache is full Compiler has been disabled;blogs.atlassian.com -0;1381366319;40;Hi Me and a friend over the summer decided to open up a Youtube channel teaching people how to code This is my first Java tutorial mind giving me some tips om how to improve myself Than s so much;youtube.com -0;1381355378;10;Hey new to Java i have a question about Threads;self.java -0;1381352498;13;Just started university thrown in at the deep end with Java Crapping myself;self.java -12;1381345413;21;Ask r Java What Java Profilers do you use Is there any text books on techniques or advanced tools and methods;self.java -1;1381339752;3;OutOfMemoryError or Swapping;self.java -108;1381336777;9;If Java Is Dying It Sure Looks Awfully Healthy;drdobbs.com -0;1381335992;10;Can anyone figure out the encryption algorithm my encrypter uses;self.java -16;1381331105;5;Java Auto Unboxing Gotcha Beware;tech.pro -3;1381329582;9;Why JSF 2 0 Hides Exceptions When Using AJAX;beyondjava.net -0;1381316868;7;How to remove this Java from Firefox;imgur.com -0;1381312618;3;Change origin oval;self.java -0;1381304833;11;I want to delete string and ints from a text file;self.java -6;1381290299;7;Enterprise App Multiple WAR vs single WAR;self.java -12;1381262226;8;Goodbye Redeployment spring loaded a free jrebel alternative;babdev.blogspot.co.at -5;1381254387;7;Can someone please explain Logging to me;self.java -10;1381241259;5;How relevant are application server;self.java -36;1381232748;12;sun misc Unsafe could migrate to a public API in Java 9;mail.openjdk.java.net -3;1381215529;13;Is It Time For Semantic HTML 5 For JSF In Java EE 8;adam-bien.com -4;1381206082;14;Install Oracle Java 7 in Ubuntu via PPA Repository Web Upd8 Ubuntu Linux blog;webupd8.org -0;1381199071;6;Options for wrapping 3rd party classes;self.java -2;1381198549;2;MJPEG streaming;self.java -39;1381198022;11;Well I guess LGA arrival departures does Java and Windows 7;i.imgur.com -0;1381189956;5;Output to a text file;self.java -0;1381182943;10;Beginner checkup 2 Any critique for this code Completed homework;self.java -0;1381176147;8;I have a question about a compareTo method;self.java -0;1381172855;19;Is there a way to list variables that are in scope based on the current highlighted line in Eclipse;self.java -0;1381171902;10;How to use Javadoc Comments in Java program for Documentation;youtube.com -0;1381159884;11;Executing a exe or w e linux uses from a jar;self.java -0;1381146941;4;Result is not correct;self.java -68;1381131840;14;10 Reasons Why Java Now Rocks More Than Ever Part 1 The Java Compiler;zeroturnaround.com -10;1381104815;11;What is the significance of the words Big Java Late Objects;self.java -0;1381102992;6;Is downloadjava us a malware site;self.java -0;1381074769;9;How to query Environment Variables through a Java Program;youtube.com -13;1381065482;9;JavaFX has no accessibility support What are my options;self.java -0;1381054143;10;How to Install Java JDK and Set Environment Variables Path;youtube.com -6;1381036235;8;How can I improve this nonblocking binary semaphore;self.java -1;1381020686;3;double a5 10;self.java -4;1381020242;3;New to this;self.java -0;1381000566;16;The method paintComponent Graphics in the type JComponent is not applicable for the arguments Graphics Error;self.java -13;1380998374;13;OmniFaces 1 6 1 and why CDI doesn t work well in EARs;balusc.blogspot.com -0;1380983785;5;Maven is broken by design;blog.ltgt.net -31;1380977309;5;Huge collection of Spring resources;springframework.zeef.com -0;1380934036;16;Iterate an array replace int with first number that is not equal to that int Help;self.java -6;1380923149;9;PrimeFaces 4 released What s new with PrimeFaces Push;jfarcand.wordpress.com -6;1380923044;4;PrimeFaces 4 0 released;blog.primefaces.org -0;1380915878;10;Is there a open source discussion platform implemented in java;self.java -0;1380909175;14;Is there any tool that moves multiple java files into one big java file;self.java -0;1380897400;5;Kick off the programming game;self.java -0;1380880132;5;Jsoup cant Login on Page;self.java -0;1380844541;4;Login in https page;self.java -0;1380840629;5;Help with a simple code;self.java -5;1380836931;13;Is there a modeling studio that can export animations as working Java code;self.java -9;1380836354;10;Reflections on JavaOne 2013 by the NetBeans Community Part 1;netbeans.dzone.com -14;1380829936;9;Friendly reminder about Integer int nulls and autoboxing unboxing;self.java -0;1380819621;13;How can I mimic Java 7 s switching on strings in Java 6;self.java -0;1380817088;13;Stack Overflow is a question and answer site for professional and enthusiast programmers;stackoverflow.com -0;1380805795;19;A question for Java developers If life is like a Java program then what are emotions dreams sexuality ect;self.java -5;1380786323;8;Unable to combine pipeline with transaction using Jedis;self.java -0;1380758759;3;How to Subtract;self.java -6;1380747743;14;Can JavaFX Scene Builder generate a UI wherein panes are repopulated with different components;self.java -0;1380738243;4;Problem using Clip class;self.java -0;1380737516;2;Need suggestion;self.java -0;1380728580;15;Can anyone help me with a code tiny error I think just newish to Java;self.java -39;1380703364;8;Devoxx 2012 made all 180 presentations freely available;parleys.com -0;1380693016;5;Need help with program ASAP;self.java -0;1380688602;5;Learning Java Looking for help;self.java -15;1380663769;10;can i learn java the same way i learned python;self.java -0;1380648965;15;mvn install install file Dfile x jar failing to read the jar s pom xml;self.java -24;1380642615;12;The la4j Linear Algebra for Java 0 4 5 has been released;la4j.blogspot.ru -0;1380624007;4;Need help with methods;self.java -0;1380623187;6;Java2Scala Converts Java code to Scala;java2scala.in -7;1380594221;6;How to begin working with frameworks;self.java -5;1380579367;4;JavaOne 2013 trip report;branchandbound.net -0;1380577807;8;Why does my program print out even numbers;self.java -0;1380574050;9;How to solve this in Java using for Loops;i.imgur.com -39;1380570239;16;If there is one Java library that you need to start using today this is it;projectlombok.org -0;1380554676;14;How do I check if an array has the same value as another array;self.java -0;1380524997;20;Just finished a school project and would like some feedback Primarily deals with updating a 2D Array with random ints;self.java -0;1380501003;4;need 3d programming help;self.java -0;1380497098;9;Brand new to java Looking for ideas for class;self.java -46;1380488210;10;What is the best open source code you have seen;self.java -13;1380481938;7;Best place and ways to learn java;self.java -0;1380469953;11;I am seriously lost with my if else lab Please help;self.java -0;1380457371;9;Go Agile Java Development with Spring to Maximize ROI;javascriptstyle.com -0;1380400916;9;HIRING a Java Team Leader and 2 Java Developers;self.java -0;1380397112;15;In which order should Java be learnt and what excercises for Java do you recommend;self.java -0;1380395992;4;I Need Some Advice;self.java -0;1380395008;4;Java Meme Wrapper Class;i.imgur.com -0;1380391137;7;Java Beginner Project Looking for a partner;self.java -0;1380387995;2;Textbook help;self.java -28;1380373481;7;Eclipse 4 3 SR1 again silently released;jdevelopment.nl -0;1380349215;15;Trying to place 2 values on an array border that aren t on the corners;self.java -0;1380313557;4;help with simple error;self.java -4;1380309618;5;Definding message structures in Java;self.java -10;1380303511;14;Somewhat fresh to Online Java trying to expand my portfolios Would love some ideas;self.java -16;1380297383;4;Java to Scala converter;javatoscala.com -2;1380259486;11;Just released Firebird JDBC driver Jaybird 2 2 4 SNAPSHOT version;firebirdnews.org -3;1380259032;4;Java Video Tutorial Ideas;self.java -0;1380236638;4;Help out a Newbie;self.java -0;1380235343;10;Looking for advice on how to improve my program code;self.java -0;1380227748;5;Looking for Java collections practice;self.java -0;1380219352;8;Beginning java programming What are some good resources;self.java -0;1380208918;9;New subreddits about Reactive Programming and Dataflow in general;self.java -18;1380205995;8;Hunting Memory Leaks in Java Deciphering the OutOfMemoryError;toptal.com -0;1380203989;5;Help configuring checkstyle Maven plugin;self.java -0;1380197766;7;Silly question but what is in java;self.java -0;1380112531;12;Vice president of engineering at Twitter talks about Java and the jvm;wired.com -53;1380112452;6;Java8 The Good Parts JavaOne 2013;java.dzone.com -5;1380110691;8;Diving into the unknown the JEUS application server;arjan-tijms.blogspot.com -0;1380089322;7;One more error Pretty sure Help please;self.java -0;1380088525;3;Debugging help please;self.java -0;1380072086;3;Anagram Java Program;self.java -0;1380067153;17;Beginner checkup Any advice for this completed code Just some things I had to do for homework;self.java -0;1380064212;10;Null pointer Exception while trying to sort an class array;self.java -6;1380062203;8;Java Comparable consistent with equals reversible SortedSet related;self.java -0;1380051910;5;AP Computer Science Test help;self.java -42;1380050419;8;12 Things Java Developers Should Know About Scala;alvinalexander.com -6;1380047849;7;The Java Fluent API Designer Crash Course;tech.pro -0;1380046062;23;If you re wondering why astroturfers spam r java lately click on Oracle s price list and search for Java SE Advanced PDF;oracle.com -15;1380044250;5;GPU Acceleration Coming to Java;blogs.nvidia.com -1;1380035012;8;How to Write Your Own Java Scala Debugger;takipiblog.com -6;1380033183;9;Project Avatar ServerSide JS on JVM is Open Source;blogs.oracle.com -0;1380031745;22;How can I Xlint most of my code in a Maven project while ignoring certain generated java code e g from Thrift;self.java -34;1380031742;8;The HotSpot VM is Removing the Permanent Generation;openjdk.java.net -0;1380028519;8;Build and Parse ISO Message using JPOS library;zeeshanakhter.com -0;1380023941;10;Building Modern Web Sites A Story of Scalability and Availability;infoq.com -26;1379988507;14;I think I have a bad Data Structures teacher Should I drop the course;self.java -0;1379979584;10;Java Exploits Seen as Huge Menace So Far This Year;self.java -3;1379975388;3;Alternatives to GWT;self.java -0;1379967023;11;I got this message the other day what does it mean;self.java -5;1379954180;8;Low Overhead Method Profiling with Java Mission Control;hirt.se -3;1379953985;5;Native Memory Tracking in 7u40;hirt.se -16;1379930773;4;JavaOne 2013 NetBeans Day;blog.idrsolutions.com -6;1379920601;9;Diving into Cache Coherency and it s performance implications;psy-lob-saw.blogspot.com -0;1379895100;21;How can I convert from an integer to a long but treat the integer as if it s an unsigned value;self.java -0;1379894041;5;Begginner Bank Account program question;self.java -0;1379888744;2;overloading question;self.java -0;1379881115;5;Help me understand exception handling;self.java -7;1379826195;12;How often are little wrapper methods like this used for method overloading;self.java -0;1379823969;3;Problem Comparing Integers;self.java -5;1379810974;6;Simple Boolean Expression Manipulation in Java;bpodgursky.wordpress.com -1;1379803223;7;Injecting spring beans into non managed objects;kubrynski.com -2;1379789985;13;Processing on Disorient s Pyramid at Burning Man x post from r processing;davidshimel.com -8;1379788370;9;Session replication clustering failover with Tomcat Part 1 Overview;tandraschko.blogspot.se -5;1379723066;4;Redditors going to JavaOne;self.java -1;1379690385;5;Rebuilding a Linux Java App;self.java -0;1379676826;4;Design Patterns in Java;latest-tutorial.pakifreelancer.com -6;1379676180;6;NetBeans 7 4 RC1 Now Available;netbeans.org -42;1379653527;6;State of the Lambda final version;cr.openjdk.java.net -3;1379628468;8;First RoboVM app accepted on iOS App Store;badlogicgames.com -0;1379624303;18;How can I save and send a java file to someone who plans on running it on cmd;self.java -11;1379623261;8;OmniFaces goes CDI with its 1 6 release;balusc.blogspot.com -0;1379619871;8;Java 8 What s New Series Milestone 4;musingsofameaneringmind.wordpress.com -2;1379612277;12;How to implement feature toggles for web applications deployed on multiple servers;self.java -0;1379608866;12;Dependency Injection Is it possible to inject a private static final field;self.java -0;1379607817;18;Why am I getting a NullPointerException when I try to write an object to a Mockito mocked ObjectOutputStream;self.java -4;1379598766;8;TmaxSoft JEUS 8 Now Java EE 7 Compatible;blogs.oracle.com -46;1379578957;4;Introduction to Java multitenancy;ibm.com -0;1379578644;6;How do I make a class;self.java -25;1379556640;10;IO trace generation in java experimenting with sun misc IoTrace;axtaxt.wordpress.com -0;1379554006;6;Help with rock paper scissors game;self.java -0;1379542582;3;Change Calculator help;self.java -0;1379535670;11;Not familiar with the problem that just started happening please help;self.java -0;1379513625;11;How to determine active users sessions in a Java Web Application;hubberspot.com -0;1379507664;19;New to java programming I can t get this palindrome recognition program to work Can you offer some help;self.java -48;1379501022;11;Chart showing lines of code vs time spent reading and editing;fagblogg.mesan.no -0;1379484421;13;Looking for tutorials for basic Java and libGDX individually on Unix no IDE;self.java -0;1379466305;4;I really need help;self.java -12;1379464485;13;Arjan Tijms and Bauke Scholtz BalusC Talk About OmniFaces and Building zeef com;jsfcentral.com -0;1379460534;3;Java vs NodeJS;self.java -40;1379458075;9;Beginnings of raw4j the Reddit API Wrapper for Java;self.java -4;1379446285;5;Patch management of my application;self.java -0;1379445671;3;First time Java;self.java -0;1379439784;9;Java 8 whats new series milestone 2 and 3;musingsofameaneringmind.wordpress.com -0;1379423537;6;How to use Map in Java;latest-tutorial.pakifreelancer.com -26;1379372791;11;A modern JIRA instance finally up amp running for the JDK;mail.openjdk.java.net -0;1379354141;4;RDRAND library in Java;software.intel.com -0;1379352583;13;Do any free collections libraries offer a non blocking callback style semaphore implementation;self.java -24;1379348147;7;RESTX a fast lightweight Java REST framework;restx.io -0;1379342078;5;Good Tutorial for some beginners;self.java -0;1379326591;8;Java 8 What s new series Milestone 1;musingsofameaneringmind.wordpress.com -9;1379311409;7;Develop iOS Apps in Java with RoboVM;robovm.org -59;1379275568;5;Filmed talks from JavaZone 2013;vimeo.com -2;1379271948;8;Struktur A skeleton starter template for JavaFX applications;bitbucket.org -8;1379231859;5;JSF 2 2 Flow Calls;en.kodcu.com -0;1379227992;9;How can I portable spawn a new JVM instance;self.java -6;1379182573;4;Mavenizing the Flex SDK;anthonywhitford.blogspot.com -12;1379122377;15;TurnItIn originality checker catches academic plagiarists by indexing the web also has a Java SDK;turnitin.com -0;1379110418;8;Why isn t my program returning a result;self.java -1;1379107956;9;Windows ruins everything a tale of a simple bug;blog.existentialize.com -0;1379106758;40;Need help implementing my Pseudo Code So basically I have 3 arrays size n that s suppose to check if there is a triple which adds up to zero from different arrays Returns true if triple exists and false otherwise;self.java -3;1379098412;10;The Hidden Java EE 7 Gem Lambdas With JDK 7;adam-bien.com -51;1379080832;8;The Trie A Neglected Data Structure in Java;toptal.com -52;1379034404;11;How does java util Random work and how good is it;javamex.com -6;1379027332;7;Google error prone compile time static analysis;code.google.com -5;1379024422;7;Why floor round and ceil return double;self.java -1;1378958331;6;JRE 6 class in JRE 5;self.java -40;1378946391;7;Why doesn t Java have more convenience;self.java -0;1378944565;10;Where and why might my application be using reference queues;self.java -0;1378939127;13;Anyone recommend a good book to learn about webservices from a Java perspective;self.java -0;1378938118;3;Simple Name Chooser;self.java -7;1378923867;7;Remote or Local for Data Access Layer;self.java -0;1378912422;9;A question about constructors and how to use them;self.java -2;1378905143;21;I need help with this little game I am not sure why it doesn t run Anyone able to help me;self.java -11;1378883703;4;Java application memory use;self.java -4;1378858791;5;Web development with Java redux;self.java -0;1378857806;14;How do I add the ability for the user to type in the window;self.java -52;1378853713;4;Java to Scala cheatsheet;techblog.realestate.com.au -0;1378836195;9;I want to learn java where do i beggin;self.java -0;1378835484;3;Is Java dying;self.java -5;1378834954;4;Need a programming idea;self.java -3;1378823250;11;Why is mvn generate sources ignoring my custom generate sources executions;self.java -0;1378806043;12;Using an image as a JButton and displaying an image in GUI;self.java -0;1378791215;5;someone wanna help me out;self.java -35;1378782251;5;Java 8 Enters Developer Preview;mreinhold.org -0;1378779231;9;How do I convert XML to HTML using java;self.java -0;1378774594;4;Can someone help me;self.java -24;1378774079;3;Very beginner question;self.java -7;1378756113;7;How to do validation the right way;self.java -0;1378739366;18;I m helping run a Spring Framework conference in London Spring Exchange What would you like to see;self.java -0;1378694624;8;Best way to store data in plain text;self.java -0;1378679179;2;Formating StringBuffer;self.java -0;1378663326;10;I ve got a question for all you Java buffs;self.java -0;1378544338;3;Help with BigInteger;self.java -19;1378522020;12;Nashorn Aiming at Taking Over Config Files Build Scripts and the Bash;youtube.com -0;1378507114;7;A Reddit API Wrapper using Jersey Client;self.java -0;1378480753;3;Help with Recursion;self.java -10;1378480221;7;Scaling Play to Thousands of Concurrent Requests;toptal.com -0;1378429717;3;Multiple AlphaComposite sources;self.java -13;1378405800;13;Simple CRUD Web Application PrimeFaces 3 5 EJB 3 1 JPA Maven SQL;simtay.com -0;1378400543;7;Need help with creating a search function;self.java -5;1378386021;17;What are some good modern resources that explain how to manage organize deploy a large JavaEE project;self.java -7;1378384710;27;7 years of Ruby on Rails thinking of picking up Java What type of project can I work on to prove that I m a good candidate;self.java -4;1378383947;7;Java 8 working with Eclipse or Netbeans;self.java -0;1378365484;8;Having issue finding jdk no problem finding jre;self.java -6;1378360579;7;Jackrabbit Oak the next generation content repository;jackrabbit.apache.org -1;1378327929;29;Can someone please help me figure out what s going on I m one of the only people who can t access this applet required for my Government course;self.java -11;1378311017;9;How to Generate Printable Documents from Java Web Applications;blog.smartbear.com -4;1378306220;8;Installing JGRASP to use for a Java Class;self.java -7;1378304328;5;New Fragment component in PrimeFaces;blog.primefaces.org -0;1378303382;9;Implementing Hexagonal Architectures with the Life Preserver and Spring;skillsmatter.com -4;1378293986;7;FacesMessage severity differences between Mojarra and MyFaces;javaevangelist.blogspot.com -9;1378287696;4;Better I18n in Java;blog.efftinge.de -0;1378265511;4;Sortable HTML table help;self.java -0;1378265095;6;I have a question about threads;self.java -0;1378230101;2;Java Help;self.java -0;1378154771;15;Help with code that I am struggling with Pixel needs to create a square outline;self.java -2;1378147027;9;Unable to create connection pool with SSL on GlassFish;self.java -30;1378140121;3;Graph algorithm libraries;self.java -0;1378138667;4;Question Non Focused Hotkeys;self.java -0;1378059378;19;Swing Why do the JPanel s getWidth and getHeight functions not reflect any changes in the panel s dimensions;self.java -0;1378058718;6;Need help with Java Robot class;self.java -13;1378046176;12;Two nearly identical lines of code and only of them is working;self.java -1;1378004082;14;JAVAW EXE is taking up 8GB of Ram How do I find out why;self.java -0;1377996270;4;Whats wrong with this;self.java -0;1377987657;9;Upload Excel or CSV using RESTEasy and Data Pipeline;northconcepts.com -12;1377984079;14;Why would I be seeing the ClassLoader method loadClass show up in my profiling;self.java -0;1377913413;24;What is the best place to learn Java online I really need practice but I want something a little more hand holdy than JavaRanch;self.java -27;1377909689;15;Open or not source projects that an entry level dev should be able to understand;self.java -4;1377906571;6;How to Inject Shellcode from Java;blog.strategiccyber.com -6;1377904791;5;Inversion of Control IoC Overview;tapestry.apache.org -3;1377903007;7;Calling Defender Methods from within a Lambda;self.java -0;1377900779;9;What are some incredibly helpful sights to learn Java;self.java -0;1377899207;6;casting a subclass object as superclass;self.java -11;1377886996;18;Can Maven handle different dependency versions in components of an application or must they all be the same;self.java -3;1377884791;12;How do I add a maven dependency hosted on a git URL;self.java -4;1377860816;9;Java security will be in the spotlight at JavaOne;infoworld.com -1;1377832542;9;Has anyone used Filters with Java using Twitters Finagle;self.java -0;1377829483;2;What program;self.java -0;1377826426;11;How do I make a moving pixel create a square outline;self.java -0;1377810682;5;Invitation to Green Programmer Survey;self.java -8;1377807743;4;False Sharing in Java;mechanical-sympathy.blogspot.com -0;1377784001;13;Web sites from a didactic point of view to live sites on host;self.java -8;1377780423;10;Best features of eclipse that some might not know about;self.java -185;1377770976;12;Come on Eclipse You should be able to figure this one out;i.imgur.com -0;1377762381;10;Good Serialization Libraries With Small Overhead in terms of Size;self.java -10;1377756807;9;10 Common Mistakes Java Developers Make when Writing SQL;blog.jooq.org -2;1377747729;14;Best method for waiting on JavaFX2 WebEngine to load before executing my JavaScript commands;self.java -0;1377714946;10;What is Map lt Character Character gt for a Map;self.java -0;1377713487;12;Split String every nth char or the first occurrence of a period;self.java -6;1377713086;5;Multi threading Swing GUI Updates;self.java -0;1377697673;26;Why do you have to type Class class to get a class s class You don t type 5 int to get an int s int;self.java -5;1377679626;6;Getting Started with HotSpot and OpenJDK;infoq.com -3;1377677264;9;Client side validation framework for JSF in PrimeFaces 4;blog.primefaces.org -0;1377672314;10;Writing a Java Regular Expression Without Reading the ing Manual;java.dzone.com -2;1377655547;5;Data Pipeline 2 3 Released;self.java -0;1377653843;18;What are some good tutorials to learn Java and XML I would like to create an android OS;self.java -5;1377640487;4;Pointer to JSF resources;self.java -0;1377633019;12;Any Midwest Java developers out there My Indy based company is hiring;self.java -4;1377631427;9;Java SE 8 Early Draft Review Specification DRAFT 2;cr.openjdk.java.net -21;1377617238;7;Will lambdas in Java 8 reduce boilerplate;self.java -0;1377606327;7;Java 6 exploit found in the wild;theinquirer.net -0;1377600729;3;Experiences with CloudBees;self.java -1;1377598728;19;APIMiner 2 0 IDE version released JavaDoc pages for Android Studio and Eclipse ADT instrumented with source code examples;java.labsoft.dcc.ufmg.br -8;1377597091;7;Hackers Target Java 6 With Security Exploits;informationweek.com -4;1377583389;8;OpenMOLE a workflow engine to leverage parallel execution;openmole.org -0;1377546152;7;Exciting Workshops on the Skills421 Training Courses;skills421.wordpress.com -2;1377506081;10;HSA targets native parallel execution in Java VMs by 2015;techcentral.ie -41;1377499127;4;Java Algorithms and Clients;algs4.cs.princeton.edu -0;1377455451;7;Jave J2EE Tutorials with Example on guruzon;guruzon.com -0;1377453355;17;JAVA path setting help I already followed all of the online instructions and I still need help;self.java -0;1377440911;7;Needed help in making a java program;self.java -13;1377436078;5;Jasypt 1 9 1 Released;jasypt.org -0;1377436002;6;tynamo federatedaccounts 0 4 3 released;apache-tapestry-mailing-list-archives.1045711.n5.nabble.com -1;1377382462;11;New programmer with minimal Python programming experience where do I start;self.java -0;1377369535;6;Jetty 9 0 5 v20130815 Released;dev.eclipse.org -15;1377367985;6;java Money and Currency JSR 354;github.com -0;1377352491;12;Programming Eclipse in Real Time using an Groovy based Eclipse Plug in;blog.diniscruz.com -0;1377330255;8;What s a really good crash course review;self.java -0;1377289798;6;Help with public boolean equals method;self.java -33;1377286839;9;More Effective Java With Google s Joshua Bloch 2008;oracle.com -28;1377267760;14;Java 7 Sockets Direct Protocol Write Once Run Everywhere and Run Some Places Blazingly;infoq.com -0;1377267566;8;Lambdas Myths and Mistakes by Richard Warburton Podcast;skillsmatter.com -0;1377261297;8;Importing Data From Solr To Postgres With Scala;garysieling.com -12;1377237481;6;Commons Collections 4 0 alpha1 released;mail-archives.apache.org -0;1377237420;8;Apache Mavibot 1 0 0 M1 MVCC BTree;mail-archives.apache.org -0;1377237255;6;Maven Surefire Plugin 2 16 Released;maven.40175.n5.nabble.com -4;1377237174;8;Recordinality cardinality estimation sketch with distinct value sampling;github.com -17;1377236454;11;gitBlit pure Java stack for managing viewing and serving Git repositories;gitblit.com -0;1377211010;14;Can an object be created that is a member of a dynamicly chosen class;self.java -12;1377205762;6;Good concurrent collections library for Java;self.java -0;1377199860;9;Noob Trying to achieve this functionality with Java programming;self.java -9;1377196066;13;How can I get an array of all the subclasses of class X;self.java -1;1377195663;10;Maven YAML plugin allows you to write POM in YAML;github.com -6;1377185441;6;Advanced Topics in OOP and Java;self.java -13;1377171519;10;String intern in Java 6 7 and 8 string pooling;java-performance.info -0;1377170822;7;Java devs among best paid in industry;jaxenter.com -27;1377169519;10;How do you deal with the logging mess with Maven;self.java -0;1377163613;8;Useful Eclipse Plugin to create J2EE Base Templates;3pintech.com -0;1377154125;5;java exe is a virus;i.imgur.com -9;1377136250;10;Decided to buckle down and learn Java What version question;self.java -0;1377099540;12;The Big Data Company Blog Hadoop vs Java Batch Processing JSR 352;blog.etapix.com -77;1377077576;7;10 Subtle Best Practices when Coding Java;java.dzone.com -30;1377068598;13;Stas s blog The most complete list of XX options for Java JVM;stas-blogspot.blogspot.co.il -3;1377060729;11;A set of high quality controls and add ons for JavaFX;jfxtras.org -0;1377047390;12;For anyone who needs help with renameTo the File API is terrible;self.java -3;1377043206;20;Am I reinventing the wheel here Are there any libraries for auto forwarding methods calls to other threads freely available;self.java -4;1377038549;6;Java EE Servlets Help Introduction Guide;self.java -0;1377032925;9;Can anyone help me out in regards to treads;self.java -18;1377029959;7;What exactly is the point of interfaces;self.java -12;1376981064;4;Help me understand JavaFX;self.java -4;1376978313;5;Best Android game development tutorial;self.java -0;1376958279;6;Help out on a homework question;self.java -0;1376929336;12;Java 101 The next generation Java concurrency without the pain Part 2;javaworld.com -5;1376891611;2;Utilizing SHA3;akoskm.github.io -0;1376860557;16;What code base should I assign permissions in my policy file to get JUnit to work;self.java -0;1376839402;7;Netbeans won t load on Peppermint Linux;self.java -10;1376800603;10;Getting Eclipse Kepler 4 3 to work on a Mac;trevmex.com -6;1376779371;7;JAVA JVM Restart requirements On code changes;self.java -0;1376766422;3;Trouble in eclipse;self.java -0;1376766357;13;Under what privileges does code inside a thread s uncaught exception handler run;self.java -2;1376737511;9;Using Selenium WebDriver to select JSF PrimeFaces selectOneMenu options;javathinking.com -58;1376729685;6;New Tweets per second record 140k;blog.twitter.com -10;1376720351;32;I am interested in using Java for graphing what is the best way to go about this I have some knowledge already but could really use a nudge in the right direction;self.java -0;1376706194;4;ScrollBar not working Help;self.java -0;1376697063;19;Giving an url that redirected is a url with spaces to Jsoup leads to an error How resolve this;self.java -4;1376691655;9;Any alternatives to ROME for parsing RSS Atom feeds;self.java -3;1376687945;6;Learning Java Book or online tutorial;self.java -17;1376661912;6;Type safe Hibernate query builder JPA;torpedoquery.org -0;1376653919;3;Mocking a value;self.java -22;1376644171;5;Spring Data REST in Action;javacodegeeks.com -0;1376633046;9;Is double checked locking by checking HashMap get safe;self.java -0;1376624466;17;Lowes com craps out at checkout every goddamn time guess I ll spend 700 at home depot;self.java -18;1376602217;11;Google confirms Java and OpenSSL crypto PRNG on Android are broken;android-developers.blogspot.com.au -12;1376588524;4;Understanding complex system code;self.java -18;1376588329;3;Quintessential Java Book;self.java -1;1376585208;20;How can I portable use a whitelist based approach for my custom SecurityManager if different JVMs rely upon different resources;self.java -5;1376582086;12;Can mvn install packages globally e g command line tools like nutch;self.java -40;1376574093;12;5 Things You Didn t Know About Synchronization in Java and Scala;takipiblog.com -0;1376524622;12;Need help debugging this code Can t figure out what s wrong;self.java -20;1376518565;6;Spring Boot Simplifying Spring for Everyone;blog.springsource.org -6;1376498705;13;I am writing an API for search and rating links on popular trackersites;self.java -7;1376474926;4;15 Java Enum Questions;java67.blogspot.com -0;1376451015;19;I m having trouble installing the Java Plugin on my browser and I can t use any Java applets;self.java -0;1376428773;10;LMAX Disruptor backed Thrift Server implementation half sync half async;github.com -0;1376419859;3;anjlab tapestry liquibase;github.com -0;1376419210;9;DictoMaton dictionaries that are stored in finite state automata;github.com -40;1376417534;15;So I visited Oracle a couple of days ago and wanted to share my experience;self.java -1;1376398133;9;Cloud development with Google App Engine and RedHat OpenShift;self.java -12;1376394716;6;Eclipse Preferences You Need to Know;eclipsesource.com -89;1376389234;10;Java tops C as most popular language in developer index;infoworld.com -7;1376356914;5;A RESTesque Java Web Server;dkuntz2.com -3;1376340048;14;Duke s Choice Community Awards voting ends today Vote for the most innovative product;java.net -0;1376335667;7;So You Think You Can Do Messaging;java.dzone.com -0;1376324491;16;Oracle and ARM to tweak Java Customizing Java SE and Java EE for ARM multicore systems;javaworld.com -0;1376318876;10;Looking for weekly Tutor for a programming II class java;self.java -41;1376304835;9;Microsoft adds Java to its Windows Azure cloud service;computerworld.com -19;1376259825;7;JSR 356 Java API for Websocket JEE7;programmingforliving.com -0;1376259513;6;What is Headless mode in Java;blog.idrsolutions.com -8;1376258533;8;Testing JASPIC implementations using Arquillian and full wars;arjan-tijms.blogspot.com -0;1376252396;7;Book to properly understand learn basic principles;self.java -0;1376233118;5;Beginner Need help in Alice;self.java -7;1376227446;11;Oracle Java Technology Evangelist Simon Ritter discusses Lambdas and Raspberry Pi;jaxlondonblog.tumblr.com -2;1376192919;12;How do I clear a JTextField in a JFrame with a JButton;self.java -10;1376131337;5;JSF 2 2 View Action;hantsy.blogspot.com -4;1376112439;3;Riojug Project Kenai;java.net -0;1376074090;6;Apologies if repost Request for aid;self.java -1;1376069223;8;The embedded EJB container in WebLogic Server 12c;vineetreynolds.blogspot.com -0;1376067840;3;Unmarshalling in Java;self.java -19;1376037016;9;A help for you to create awesome overengineered classes;projects.haykranen.nl -0;1376003315;5;Which IDE do you use;self.java -8;1375997936;6;JSF 2 2 HTML5 friendly markup;jsflive.wordpress.com -26;1375980859;8;Date and Time Manipulation in Java Using JodaTime;blog.smartbear.com -0;1375979173;3;Eclipse vs Netbeans;self.java -1;1375974555;6;JMS listener with WebSphere 7 0;self.java -1;1375972228;10;Can a generic Interface be extended by another generic Interface;self.java -0;1375968413;7;Java 1 6 0 SDK Major Bug;self.java -32;1375967702;8;I m hooked on test driven development TDD;endyourif.com -0;1375963681;11;Awesome location for a Software conference MEDIT Symposium Software Conference 2013;blog.mylaensys.com -0;1375957525;9;Java faces tough climb to catch up to Net;infoworld.com -2;1375947970;11;I think I found a bug in the standard library TreeSet;self.java -25;1375936147;4;Does anyone use NetBeans;self.java -0;1375916892;4;Eclipse ECF for Indigo;self.java -0;1375915996;2;NEED HELP;self.java -0;1375910217;9;Recommend a book to learn java from command line;self.java -0;1375885308;3;A little trick;self.java -0;1375854063;5;Help needed Simple I O;self.java -11;1375836584;8;Apache Tomcat 8 0 0 RC1 alpha Available;tomcatexpert.com -3;1375831909;8;Best FOSS OS to run JVM apps on;self.java -28;1375826408;7;OracleVoice There s Java In Your Tweets;forbes.com -0;1375823036;42;Looking into when to use enums this quote reminded me of simpler times You should use enum types any time you need to represent a fixed set of constants That includes natural enum types such as the planets in our solar system;docs.oracle.com -0;1375819054;10;Jetty Release 7 6 12 v20130726 8 1 12 v20130726;jetty.4.x6.nabble.com -2;1375818938;11;Priha an implementation of the JSR 170 Java Content Repository API;priha.org -0;1375803136;5;Any good Google Guava resources;self.java -0;1375790812;14;krasa jaxb tools maven plugin for generating JSR 303 Bean Validation Annotations from XSD;github.com -17;1375777387;8;The fallacy of the NO OP memory barrier;psy-lob-saw.blogspot.com -0;1375767127;5;Spring Data Babbage RC1 released;springsource.org -24;1375755296;4;Method calls in constructors;self.java -10;1375747129;17;Coding Standards Question For enumerations is it bad to make fields public instead of creating getter methods;self.java -0;1375726902;4;Increase Java Serialization Performance;drdobbs.com -3;1375690765;8;Java program to convert location in Lat Long;javaroots.com -0;1375675671;4;Business Delegate Design Pattern;youtube.com -0;1375622456;9;JSF CDI Tip of the Day PostConstruct Lifecycle Interceptor;javaevangelist.blogspot.com -17;1375604861;6;ORMs vs SQL The JPA Story;cforcoding.com -13;1375542081;8;Spring Framework 4 0 M2 WebSocket Messaging Architectures;java.dzone.com -18;1375524388;15;swagger maven plugin maven build plugin which helps you generate API document during build phase;github.com -1;1375524241;11;Jetty NPN Next Protocol Negotiation Specification for OpenJDK 7 and greater;github.com -22;1375522660;5;Apache Solr 4 4 released;mail-archives.apache.org -3;1375522606;11;Apache Jackrabbit 2 6 3 released Content Repository JCR 2 0;mail-archives.apache.org -2;1375522297;7;Creating JSF pages with pure Java code;java.dzone.com -0;1375479718;12;Fairly new to Java looking for some help on object arrays GUIs;self.java -0;1375475585;13;JSF Tip Do not put code with side effects in a getter method;weblogs.java.net -64;1375464109;18;Yet another guide on when how to catch exceptions in Java first one to make sense to me;doc.nuxeo.com -0;1375458792;18;Chrome automatically load up site call javaupdateappspot and downloaded something suspicious onto my computer anyone else getting this;self.java -0;1375450291;6;Tess4J Does not read multiple times;self.java -3;1375449186;13;How do I select a string literal from a set of string literals;self.java -0;1375425247;2;Base Patterns;youtube.com -28;1375417199;3;Java Concurrency Animated;sourceforge.net -0;1375414229;6;Covariance with self referential bounded generics;self.java -9;1375394595;4;Getting started with OSGi;self.java -6;1375383692;5;JAX WS SOAP over JMS;biemond.blogspot.de -0;1375370457;6;I need help with my Calculator;self.java -0;1375364788;7;Java Magazine July August 2013 Edition Released;oraclejavamagazine-digital.com -1;1375339709;7;How to highlight invalid components in JSF;blog.oio.de -0;1375339685;2;Design patterns;youtube.com -308;1375313769;11;Caught a funny line in a Java book I was reading;i.imgur.com -2;1375296851;9;Serving multiple images from database as a CSS sprite;balusc.blogspot.com -0;1375295850;19;Can someone explain these practice problems Not Homework just examples I m supposed to already understand for a course;self.java -5;1375232943;10;Naming What s a good general name for this technique;self.java -1;1375220789;10;I m completely new to Java and programming in general;self.java -0;1375219038;7;Fun and easy way to learn Java;self.java -2;1375210668;7;Oracle Java Day at Guadalajara in Mexico;flickr.com -0;1375205222;7;Why Functional Programming in Java is Dangerous;cafe.elharo.com -0;1375195718;5;sviperll task Java multitask library;github.com -62;1375194638;9;10 Common Mistakes Java Developers Make when Writing SQL;blog.jooq.org -0;1375180092;15;I have a habit of clicking random then top all time I found this Heh;imgur.com -10;1375170548;9;Offheapsters Beware Atomicity of Unaligned Memory Access in Java;psy-lob-saw.blogspot.com -0;1375133461;5;Hi guys i need help;self.java -28;1375131887;5;TrieHard a Java Trie Implementation;self.java -0;1375121679;10;Oracle JDBC Driver for DB 12C and Java 7 Out;oracle.com -9;1375117136;12;java Replacing a full ORM JPA Hibernate by a lighter solutionload save;stackoverflow.com -0;1375113855;9;The state of web accessibility in the JavaEE world;blog.akquinet.de -23;1375075752;14;Compute Java Object Memory Footprint at runtime with JAMM Java Agent for Memory Measurements;blog.javabenchmark.org -0;1375064023;5;Java in a few years;self.java -46;1375012133;8;Java 8 Lambdas Default Methods amp Bulk Data;zeroturnaround.com -5;1374998841;6;Two s complement and absolute values;tslamic.wordpress.com -0;1374996030;13;Jaybird 2 2 4 snapshot with basic Java 8 JDBC 4 2 support;firebirdnews.org -5;1374982510;8;Is possible to make fast java desktop applications;self.java -14;1374958419;9;Average rates you ve encountered as an independent consultant;self.java -17;1374931760;8;Was Struts Responsible for Apple s Security Breach;java.dzone.com -0;1374864280;13;Java EE 8 Why all of you are being asked translation from German;translate.google.com -0;1374858595;2;Education point;educationtpoint.blogspot.in -4;1374833666;7;Jato VM What is it s purpose;self.java -3;1374819527;4;Open Map by BBN;self.java -0;1374800896;8;Should be easier comparing against a text file;self.java -0;1374765308;7;Embedding images into e mail with JavaMail;codejava.net -0;1374761151;5;NetBeans 7 4 Beta Released;i-programmer.info -13;1374728688;7;Yet Another Process Library for Java YAPLJ;zeroturnaround.com -7;1374727000;5;Question Regarding Dynamic Class Loading;self.java -4;1374700537;14;Simple and scalable event subscription with STOMP WebSockets SockJS and Spring Framework 4 0;blog.springsource.org -0;1374696260;6;RichFaces 4 3 x Resource Mapping;javaevangelist.blogspot.com -7;1374682330;9;How and When to Use Java s ThreadLocal Object;blog.smartbear.com -9;1374678002;8;What s new in Weblogic 12 1 2;blog.c2b2.co.uk -15;1374645405;13;Lock free queues hitting over 170M ops sec Comparing Inlined and Floating Counters;psy-lob-saw.blogspot.com -4;1374619132;15;What is the simplest program I could write that would tax my cpu the most;self.java -3;1374617790;9;oraconf parse and manipulate Oracle tnsnames files bsd license;self.java -33;1374588010;9;Lambda Expressions Backported to Java 7 6 and 5;blog.orfjackal.net -3;1374583320;5;Glassfish 4 Migrating to Glassfish;blog.c2b2.co.uk -11;1374568487;4;Dependency Badges for Java;versioneye.wordpress.com -8;1374568411;12;London GlassFish User Group September New JMS features in GlassFish 4 0;c2b2.co.uk -5;1374565387;7;Tool for creating UML diagrams from code;self.java -15;1374562800;10;JBoss Tools 4 1 and Developer Studio 7 go GA;community.jboss.org -0;1374512700;9;How do you guys go about looking for libraries;self.java -0;1374501551;4;Why I hate Java;gyazo.com -38;1374499837;7;5 Coding Hacks to Reduce GC Overhead;takipiblog.com -0;1374497928;5;Clojure All The Way Knockout;dimagog.github.io -4;1374487249;13;Oracle SOA Suite 11g Performance Tuning Cookbook a Few Words From the Author;blog.c2b2.co.uk -10;1374481986;6;PrimeFaces Elite 3 5 9 Released;blog.primefaces.org -1;1374481066;6;What s new in Coherence 12c;blog.c2b2.co.uk -2;1374463428;5;dependency management using maven repo;self.java -63;1374412718;6;Log4j 2 Performance close to insane;grobmeier.de -35;1374382473;9;why you should use the final modifier more often;omsn.de -14;1374351025;6;any gaming companies that use java;self.java -0;1374340798;5;Change Attribute in XML file;stackoverflow.com -0;1374318046;10;What are the must read books for Java web developer;self.java -14;1374282070;5;A new subreddit r javasoftware;self.java -6;1374251532;6;Apache XMLBeans headed for the Attic;mail-archives.apache.org -25;1374243418;16;Don t Throw Away Your Old Java Web Framework the Short Single Page History of Twitter;java.dzone.com -4;1374237268;2;Lync API;self.java -0;1374234407;3;Problem at compilation;self.java -0;1374223380;8;Why do Java Preferences work with multiple ClassLoaders;stackoverflow.com -7;1374191163;10;Using and avoiding null from docs of Google Guava library;code.google.com -0;1374183627;6;Garbage Collection in Java Part 4;java.dzone.com -43;1374181945;9;Java Garbage Collection Distilled Good summary of Java GC;mechanical-sympathy.blogspot.ca -2;1374173155;8;Java EE 8 wish list 2 Antonio Goncalves;antoniogoncalves.org -3;1374163035;15;Qualitas class Corpus Compiled Eclipse Java projects for 111 systems included in the Qualitas Corpus;java.labsoft.dcc.ufmg.br -1;1374157399;17;Any free open source Java library recommendation for communicating with RS232 on a n embedded Windows platform;self.java -0;1374154031;8;When to make a method static in Java;javarevisited.blogspot.com -17;1374133611;4;The Java Modularity Story;branchandbound.net -0;1374086363;2;JAVA Question;self.java -1;1374074665;16;Dev team behind WebSphere Application Server Liberty Profile doing a live Q amp A session tomorrow;self.java -5;1374071450;10;JPA 2 Fetch Joins and whether we should use them;kumaranuj.com -12;1374068225;10;Stateful vs Stateless and Component vs Action web framework benchmark;content.jsfcentral.com -0;1374056440;15;Looking for a way to download presentations from java software Blackboard Collaborate for offline viewing;self.java -11;1374050807;7;Glassfish 4 Performance Tuning Monitoring and Troubleshooting;blog.c2b2.co.uk -2;1374011294;7;Jumi Common test runner for the JVM;jumi.fi -1;1374007063;4;Read Write in Excel;self.java -30;1374002949;5;Maven 3 1 0 Release;maven.40175.n5.nabble.com -6;1373985793;9;Apache Maven Survey Which Java version are you using;docs.google.com -0;1373982888;8;Maven 3 1 0 Released What a Disappointment;insaneprogramming.be -0;1373971686;3;Java amp Javascript;twitter.com -0;1373965732;6;First Java class having loop issues;self.java -0;1373964391;8;Question Java does not throw overflow Exception Why;self.java -0;1373941236;12;How do I maintain an artifact separate from pojects that use it;self.java -63;1373930560;28;Computer Science Professor uses java software to analyze The Cuckoo s Calling and unmasked the authour as J K Rowling who wanted to write under a fake name;entertainment.time.com -1;1373919243;6;Apache Ant 1 9 2 Released;mail-archives.apache.org -0;1373915583;2;Mistletoe Project;mistletoe.qos.ch -1;1373915440;6;Oracle Discontinuing sun reflect Reflection getCallerClass;infoq.com -0;1373908873;8;New problem with nested for loops and java2d;self.java -0;1373902018;3;Java Application HELP;self.java -5;1373895192;4;Flyway 2 2 Released;flywaydb.org -17;1373893553;13;Fast 130M ops second lock free queue eliminating run to run performance variance;psy-lob-saw.blogspot.com -8;1373893016;10;How to control memory usage and avoid the dreaded OutOfMemoryError;self.java -1;1373887602;7;Upcoming Spring Framework conference The Spring Exchange;skillsmatter.com -62;1373878639;5;Understanding Weak References in Java;weblogs.java.net -6;1373873016;6;Lazy sequences implementation for Java 8;javacodegeeks.com -21;1373837536;8;Java 7 vs Groovy 2 1 performance comparison;kubrynski.com -0;1373834251;11;Safe Saver from AVG will disable your Javascript in ALL browsers;self.java -4;1373830729;10;SQLJ an ISO standardized DSL for embedding SQL in Java;en.wikipedia.org -2;1373808164;7;Configuring Spring and Hibernate for Standalone Applications;girlcoderuk.wordpress.com -15;1373797383;17;How quickly will Java software vendors migrate to Java 8 given the presence of Lambda Expressions poll;java.net -35;1373777767;20;How do I expand my Java skills when my professional experience only uses core Java and a subset of J2EE;self.java -9;1373760129;5;Java EE 8 wish list;arjan-tijms.blogspot.com -0;1373753019;11;Oracle WebLogic 12 1 2 Now With EclipseLink MOXy JSON Binding;blog.bdoughan.com -0;1373743666;8;Oracle WebLogic Server 12 1 2 is available;blogs.oracle.com -32;1373719337;4;Java s Reflection API;rodrigosasaki.com -0;1373711104;6;Import CA root certificate into JDK;hussainanjar.com -1;1373710559;10;Oracle JDeveloper and ADF 12c 12 1 2 new features;oracle.com -0;1373699720;6;5 reasons to avoid code comments;pauloortins.com -10;1373666457;7;Java Methods selection with Overloading and Overriding;stackoverflow.com -0;1373622711;5;EARs WARs And Size Matters;adam-bien.com -19;1373622346;4;Hibernate adds OSGi Support;infoq.com -1;1373600124;6;Question about Grails and the enterprise;self.java -2;1373599525;5;Help with a home project;self.java -3;1373587444;24;timed wait for input from console e g if no input typed and return hit within 5 seconds doesn t wait for next line;self.java -0;1373556577;11;Need to do image processing in Java having trouble finding libraries;self.java -0;1373531786;8;Highly Available PHP sessions using memcached 4 Coherence;blog.c2b2.co.uk -42;1373527826;18;Throwing null in Java means you re throwing NPE but don t do that to your co workers;stackoverflow.com -1;1373524841;3;Interoperability Java Frege;mmhelloworld.github.io -0;1373504852;4;XPath for Streaming JSON;self.java -1;1373494173;9;Just In Time compilation more than just a buzzword;javaeesupportpatterns.blogspot.com -3;1373493994;10;Parallel ready SplittableRandom proposed by Guy Steele for JDK 8;cs.oswego.edu -2;1373492549;7;JSF in the trenches About developing ZEEF;balusc.blogspot.com -3;1373491312;1;hawtio;hawt.io -10;1373490935;7;Apache Maven War Plugin 2 4 Released;mail-archives.apache.org -0;1373488743;5;Linting in pre commit hooks;self.java -4;1373443107;4;Lightweight Asynchronous Sampling Profiler;jeremymanson.blogspot.com -8;1373442830;4;Streaming audio in Java;self.java -0;1373417203;3;Request Netbeans intro;self.java -5;1373402181;8;Apache Camel 2 10 6 CVE 2013 2160;mail-archives.apache.org -3;1373402000;12;Tips or ideas for a long term beginner to intermediate level project;self.java -1;1373397779;12;How do you Pass the Gap Between Hello World and Viable Programs;self.java -0;1373395692;15;Can you help with a plugin dependency issue in a recent Netbeans 7 3 installation;self.java -5;1373384736;5;Mojarra 2 1 24 released;java.net -5;1373382226;7;Testing Java 8 in 3 Easy Steps;insightfullogic.com -0;1373376830;8;Reliable Java to COM bridges for commercial use;self.java -11;1373342517;5;Using HDFS from Java Coding;voidtricks.com -3;1373317371;13;What are my primary choices for a GUI in a desktop java program;self.java -2;1373312854;6;Commons Collections 4 0 alpha1 released;mail-archives.apache.org -27;1373312805;6;Apache Tomcat 7 0 42 released;mail-archives.apache.org -5;1373306019;9;First release of AArch64 ARMv8 64 bit OpenJDK port;mail.openjdk.java.net -9;1373283839;7;JBoss community and EAP are things changing;blog.c2b2.co.uk -5;1373280554;6;GlassFish 4 Features for High Availability;blog.c2b2.co.uk -41;1373225597;12;Winner of Darpa s Virtual Robotics Challenge coded almost entirely in Java;robots.ihmc.us -2;1373216889;5;Java RXTX serial port unplugged;self.java -17;1373202061;8;Code rant When Should I Use An ORM;mikehadlow.blogspot.ca -5;1373190768;9;MetaModel Providing Uniform Data Access Across Various Data Stores;infoq.com -21;1373170374;7;Why should I teach my students Java;self.java -1;1373158539;12;Java Use of class with no modifier versus class with public modifier;self.java -1;1373156574;9;Why can I not monitor local processes using JConsole;self.java -5;1373119552;5;JGoodies Tutorial up to date;self.java -1;1373083919;2;Javaee7 Resources;javaee7.zeef.com -18;1373057178;8;OpenIMAJ Open Intelligent Multimedia Analysis toolkit for Java;openimaj.org -0;1373032316;6;Unable to create a TLS connection;self.java -5;1373026759;3;GWT 2 Tutorial;self.java -6;1373022021;6;The Heroes of Java Kevlin Henney;blog.eisele.net -20;1373009573;8;Thinking of switching from Eclipse to IntilliJ IDEA;self.java -0;1372994651;6;Spring Web MVC vs JAX RS;infoq.com -0;1372963654;11;Using the File Upload Component in JSF 2 2 Oracle tutorial;apex.oracle.com -16;1372962776;6;Collection of Java EE 7 resources;javaee7.zeef.com -0;1372961934;4;Good Objects Breaking Bad;mlangc.wordpress.com -3;1372956416;12;Java SFTP upload using JSch but how to overwrite the current file;self.java -0;1372952016;7;Sign up for Oracle to get JDK;self.java -0;1372951598;5;Getting Started with GlassFish 4;blog.c2b2.co.uk -4;1372949602;9;How to make an iOS app using JavaFX 8;blog.software4java.com -40;1372945080;12;Is IntelliJ IDEA Community any good I m sick of Eclipse crashing;self.java -0;1372944867;5;Spring Security Expressions hasRole Example;baeldung.com -4;1372925492;8;Late Night Game Development at its Best WillNeedJava;imgur.com -0;1372907840;33;How do you create a java program on Google App Engine that is able to write HTML or return information so that something else can write HTML as a result of receiving parameters;self.java -3;1372890102;8;Concurrency in Java and odd behaviour from RWLock;self.java -10;1372883350;8;Strategy Pattern using Lambda Expressions in Java 8;java.dzone.com -24;1372877776;23;The classpath article on Wikipedia currently tells you how to avoid smashing 20 diff JARs in the command line to run a program;en.wikipedia.org -27;1372868587;6;Monster Component in Java EE 7;antoniogoncalves.org -10;1372857628;10;Webinar Functional Programming without Lambdas by Spring Source July 18th;springsource.org -8;1372851632;12;Developers expect Java EE 7 to become predominant within 2 3 Years;weblogs.java.net -0;1372846141;4;IllegalStateException in Response SendRedirect;javaroots.com -0;1372845583;5;Need help on beginner program;self.java -0;1372829840;5;Java Trivia 10 bullet points;javaroots.com -0;1372804644;5;Bean Validation 1 1 examples;rmannibucau.wordpress.com -2;1372804041;11;An illustration of Expression Language 3 0 in a Servlet environment;weblogs.java.net -15;1372794034;5;Guacamole HTML5 Clientless Remote Desktop;guac-dev.org -1;1372793968;11;Maven Javadoc Plugin 2 9 1 Javadoc vulnerability CVE 2013 1571;maven.40175.n5.nabble.com -4;1372783349;14;X Post r Androiddev Firebase Announces New Java Client Library for Realtime Data Synchronization;firebase.com -0;1372779043;9;Unable to locate Compiler Error in Eclipse and Maven;javaroots.com -5;1372776245;4;Capabilities of Java EE;self.java -7;1372762379;9;Basic clustering with Weblogic 12c and Apache Web Server;self.java -8;1372742167;4;Exception Dashboard for Java;self.java -26;1372713635;6;My First Java Library Java Stocks;github.com -11;1372690443;8;Any sample project architecture using EJB 3 0;self.java -5;1372685993;15;Looking for an XML less sample Spring Spring MVC project to clone for trouble shooting;self.java -0;1372680266;6;Slick2D help post anyone help please;self.java -4;1372666643;15;A mini util for measuring connectivity IPC UDP TCP latency How low can it go;psy-lob-saw.blogspot.com -0;1372662705;21;Just wondering if anyone can help me out starting a story for a game I m currently making in Java p;self.java -0;1372656313;12;Difference between Math Random and the nextInt method of the Random class;self.java -6;1372650295;3;JavaFX GUI Design;self.java -7;1372639596;4;Shenandoah GC An overview;rkennke.wordpress.com -18;1372637079;4;Spring Framework Starting out;self.java -0;1372624487;2;Help please;self.java -10;1372622371;6;A question about game design concepts;self.java -0;1372603097;10;How would you add labels to this sweet hurricane map;self.java -18;1372602513;12;SugarJ library based language extensibility for example inline XML with syntax validation;sugarj.org -16;1372601748;5;Machine Learning Library for Java;self.java -2;1372589473;8;What s new in CDI 1 1 presentation;youtube.com -7;1372571508;7;java OO design of a Battleships game;self.java -1;1372502705;7;Injecting An ExecutorService With Java EE 7;adam-bien.com -36;1372481174;7;Differences between Math sin and StrictMath sin;self.java -0;1372471480;4;Dj cristian Electro house;youtube.com -2;1372455760;8;Sirix a versioned XML storage system Berkeley DB;github.com -1;1372455337;7;Hama 0 6 2 has been released;mail-archives.apache.org -2;1372455273;6;Apache Camel 2 10 5 released;mail-archives.apache.org -5;1372455170;5;Jetty 9 0 4 v20130625;dev.eclipse.org -1;1372455029;13;Perfidix tool for developers to conveniently and consistently benchmark Java code ala junit;disy.github.io -67;1372449675;8;Yo dawg I herd you like internal errors;imgur.com -0;1372448164;5;JSF 2 2 and HTML5;infoq.com -0;1372447163;3;Help with GUI;self.java -3;1372446989;10;JSF 2 2 Pass Through Attributes in PrimeFaces 4 0;blog.primefaces.org -0;1372441540;15;HELP I need to write these methods for an assignment and cannot figure them out;self.java -0;1372433091;10;Learn Play Framework 2 for Java with this Video Book;packtpub.com -15;1372430940;3;Git Cheat Sheet;git-tower.com -30;1372421310;5;Tricks to speed up Eclipse;stackoverflow.com -0;1372420445;6;Recommended Coding Rules for Java Developers;dzone.com -3;1372419969;6;How to disable a console output;self.java -2;1372414777;13;Looking for a library to export a resultset to a spreadsheet as csv;self.java -0;1372412816;5;How do I fix this;i.imgur.com -1;1372380345;12;We ve Got Your Back New Relic Supports Windows Azure Web Sites;blog.newrelic.com -11;1372374578;9;Code coverage for GitHub hosted Java projects with Coveralls;blog.eluder.org -19;1372373183;10;Build Your First Counter Android App Using This Quick Tutorial;simpledeveloper.com -0;1372368190;8;Java EE 7 support in Eclipse 4 3;blogs.oracle.com -17;1372365758;54;I have a db with data in it accounts invoices articles comments images and so on I need to build a web app to search create update delete these things and perform some business processes on them QUESTION What the quickest easiest way to build a web UI to do these things in Java;self.java -3;1372342805;8;Remove certain item or clear whole OmniFaces cache;whitebyte.info -1;1372342014;5;Eclipse Kepler By the Numbers;java.dzone.com -26;1372333866;8;The Rise and Fall and Rise of Java;marakana.com -9;1372316032;10;Handling feature flags in a Java EE application using Togglz;hascode.com -0;1372310227;9;Help Needed Window on top of Desktop Not Hidden;self.java -2;1372276040;6;Need some info on Java certificates;self.java -0;1372262858;4;Recommend a good book;self.java -6;1372210910;10;Server side events EventSource with Servlet 3 0 async support;stackoverflow.com -0;1372201030;12;What should I do when I see a security prompt from Java;java.com -2;1372186215;9;JLayer s MP3 data values and general DSP questions;self.java -6;1372184708;9;Build Your First Android App From Scratch Using Java;simpledeveloper.com -0;1372184334;12;Way too many ways to do the same thing Too many choices;livememe.com -0;1372180926;7;Javaland Execution in the Kingdom of Nouns;steve-yegge.blogspot.com.ar -1;1372158371;16;GlassFish 4 Webinar Series A new series of short and snappy educational webinars about GlassFish 4;c2b2.co.uk -86;1372149855;10;6 tips to make eclipse lighter prettier and more efficient;blog.scramcode.com -23;1372142952;7;Garbage Collection in Java G1 Garbage First;insightfullogic.com -19;1372099509;9;G1 vs Concurrent Mark and Sweep Java Garbage Collector;blog.sematext.com -37;1372096643;12;Is there a site like codeacademy com where I can learn Java;self.java -3;1372088471;15;Anyone know of a good tool library for code analysis in regards to symbol linking;self.java -0;1372085534;4;Runtime Error in JavaHelp;self.java -0;1372077180;11;How to add two Integers in Java without using or operator;javarevisited.blogspot.com.br -14;1372014136;5;Trying Liberty 8 5 5;arjan-tijms.blogspot.com -0;1371975343;7;What is Important in Secure Software Design;swreflections.blogspot.ca -20;1371952284;7;Java visualizer based on Online Python Tutor;cscircles.cemc.uwaterloo.ca -23;1371926709;5;Java Job Market Advice Please;self.java -3;1371888268;7;Purpose of Abstract class without Abstract methods;self.java -0;1371885616;7;Define different main method format in Java;dotnethearts.blogspot.in -1;1371849751;45;If a java program requests data from a server and is waiting for a response does can the program progress to the next request from a different server while it waits or does it simply wait for the first request before proceeding to the next;self.java -47;1371848718;21;I just added a slew of cool projects to GitHub that I ve had sitting around for sometime looking for input;self.java -0;1371816220;7;Remediation Support Top Eclipse Kepler Feature 2;eclipsesource.com -0;1371816184;8;Eclipse Platform Improvements Top Eclipse Kepler Feature 3;eclipsesource.com -0;1371816127;8;RAP 2 x Top Eclipse Kepler Feature 4;eclipsesource.com -17;1371803024;8;Scalable performance counters for multi threaded Java apps;psy-lob-saw.blogspot.com -4;1371785568;4;Need a learning project;self.java -0;1371773156;17;Java and online banking Does Java help Linux users security as well x post from r linux;self.java -0;1371751382;14;TIL Basic Grails functionality depends on some pretty hilarious hacks using undefined JDK behaviour;twitter.com -0;1371751011;4;Help Null Pointer Exception;self.java -8;1371748379;10;AppScale open source Google App Engine 1 8 0 Released;blog.appscale.com -0;1371743584;31;Hi r java I m looking for some source code to study that relies on generics Especially code that goes beyond using generics only for collections Does anyone have any examples;self.java -2;1371743143;2;Book recommendations;self.java -6;1371742987;10;Vulnerability Note VU 225657 Oracle Javadoc HTML frame injection vulnerability;kb.cert.org -14;1371738258;6;Java EE 7 And Then What;drdobbs.com -6;1371736928;4;Permission or policy checker;self.java -0;1371734263;6;See you later Java I hope;self.java -3;1371704535;3;Session Bean interfaces;self.java -2;1371694650;13;Can anyone explain to me the difference between static methods and instance methods;self.java -0;1371681718;7;I need help with a java problem;self.java -4;1371672136;5;Examples of Swing Best Practices;self.java -83;1371668065;5;JDK 8 is feature complete;mail.openjdk.java.net -6;1371661808;9;Anyone know a good SQL parsing class or library;self.java -3;1371658417;9;Java SE Development Kit 7 Update 25 Release Notes;oracle.com -4;1371645831;6;Embedded war using Jetty and Gradle;fernandorubbo.blogspot.com.br -2;1371644051;24;Walter Bright asks about the implementations of the Initialization on demand holder idiom s generated code guarantees allowed by JSR 133 Java Memory Model;reddit.com -0;1371638513;11;Getting java security InvalidAlgorithmParameterException the trustAnchors parameter must be non empty;self.java -1;1371638447;13;Question Ideas on streaming Audio mp3 from Java web app to html frontend;self.java -1;1371628525;11;Thoughts about subject observer publisher subscriber and emulation of self types;gallium.inria.fr -0;1371625359;7;Every time i install a java update;i.imgur.com -0;1371616200;4;What is a NullPointerException;self.java -3;1371598911;6;Java 2D Game Programming Platformer Tutorial;youtube.com -39;1371596377;9;Java 7u25 has been released includes 40 security fixes;oracle.com -0;1371593081;10;Reconsidering using Java for web projects please give some feedback;self.java -38;1371591787;13;JDK now comes with an expiration date Unknown what happens when it expires;oracle.com -0;1371572851;3;UnsupportedClassVersionError In Java;javaroots.com -0;1371570816;5;Fledgling Coder Needs Advice Badly;self.java -1;1371559859;5;Java SMPP Application Working on;github.com -2;1371521537;11;I m not looking for the best IDE but the quickest;self.java -0;1371514754;11;Will the equals operator ever be fixed with respect to Strings;self.java -11;1371508285;7;Oracle Java Critical Patch Update June 18;oracle.com -9;1371503904;1;Javapocalypse;youtube.com -1;1371496604;6;Dev environment question Windows OSX Linux;self.java -6;1371486879;15;Bringing Closures to Java 5 6 and 7 No Need To Wait for Java 8;mseifed.blogspot.se -11;1371477824;5;The Future of Java Standards;docs.google.com -14;1371441886;3;Data Structures Book;self.java -8;1371411095;5;Good books for learning Java;self.java -1;1371403839;6;Java serialization for a specific protocol;self.java -7;1371363004;14;As a C MVC developer what should I be familiarizing myself with in Java;self.java -10;1371357688;9;I just started java and need help on something;self.java -4;1371308635;7;Most intensely fun way to learn Java;self.java -42;1371306400;8;Shenandoah A pauseless GC for OpenJDK from RedHat;rkennke.wordpress.com -0;1371302570;7;JPA 2 Dynamic Queries Vs Named Queries;kumaranuj.com -19;1371294000;10;Apache Commons Net 3 3 released ftp client mail client;mail-archives.apache.org -6;1371293921;5;Apache Qpid 0 22 released;mail-archives.apache.org -0;1371267454;5;Help Reqest Teamspeak API Work;self.java -0;1371260543;2;Strange error;self.java -2;1371253006;2;Beginner help;self.java -5;1371244146;7;RichFaces 5 0 0 Alpha1 Release Announcement;bleathem.ca -37;1371243771;3;JavaZone 2013 Javapocalypse;youtube.com -1;1371239325;4;infoShare 2013 nagrania video;javaczyherbata.pl -3;1371237423;11;WebSphere Application Server and Developer Tools V8 5 5 available now;ibmdw.net -1;1371218317;11;Echo3 Web Application Framework announces the release of version 3 0;self.java -4;1371211387;3;License to Code;youtube.com -86;1371209897;4;JavaZone 2013 the javapocalypse;jz13.java.no -3;1371199604;5;Newbie question about custom menu;self.java -21;1371154898;15;Adam Bien s presentation on infoShare 2013 conference in Gdansk Poland on good JavaEE practices;youtube.com -0;1371141864;4;What Should I Use;self.java -16;1371128089;6;Deploy Java Apps With Docker Awesome;blogs.atlassian.com -0;1371126721;9;Mylyn Reviews with Gerrit Top Eclipse Kepler Feature 8;eclipsesource.com -1;1371126648;8;avc binding dom Java DOM binding with annotations;code.google.com -0;1371093327;7;having trouble with java homework on methods;self.java -0;1371075924;15;Zarz dzenie z o ono ci przez tr jpodzia logiki Open closed principle w praktyce;javaczyherbata.pl -42;1371063543;10;Java EE 7 officially launches bringing HTML5 and WebSocket support;jaxenter.com -5;1371061266;9;What would you recommend for cheap reliable tomcat hosting;self.java -9;1371043173;6;Java Magazine May June 2013 Released;oraclejavamagazine-digital.com -32;1371041215;36;The only thing I will remember in 40 years time from my development career is an instant muscle memory recall of typing mvn eclipse eclipse I ll probably be mumbling it at my nursing home too;self.java -3;1370992652;6;Ultra fast reliable messaging in Java;kubrynski.com -10;1370990922;15;A cross platform exe wrapper for a jar file that I just stumbled across today;launch4j.sourceforge.net -48;1370985520;9;Guava simple recipes to make your Java code cleaner;onthejvm.blogspot.com -8;1370951393;7;Spring Data JPA vs EclipseLink vs Hibernate;self.java -6;1370949984;8;EGit 3 0 Top Eclipse Kepler Feature 9;eclipsesource.com -9;1370933837;5;OmniFaces 1 5 is released;balusc.blogspot.com -3;1370918147;7;What is the point of abstract methods;self.java -3;1370892282;10;Java wrapper for svdlib a fast sparse SVD in C;bitbucket.org -0;1370885915;11;Brand new JRE 7 update 21 install doesn t even verify;self.java -37;1370863126;42;MapDB provides concurrent Maps Sets and Queues backed by disk storage or off heap memory It is a fast and easy to use embedded Java database engine This project is more than 12 years old you may know it under name JDBM;mapdb.org -5;1370853748;12;Marketing done right JRebel trials can win you an awesome geek trip;zeroturnaround.com -17;1370845605;12;What s New in JMS 2 0 Part Two New Messaging Features;oracle.com -0;1370826927;20;JAVA Is there any good tutorials for making a picture slideshow ie java app that displays photos in slideshow fashion;self.java -0;1370820531;2;Getting started;self.java -24;1370809153;22;If anyone is interested here a bunch of other Redditors and I are making a tournament for the awesome programming game RoboCode;self.java -12;1370808047;4;A bizzarre JavaFx bug;raintomorrow.cc -1;1370798589;4;Functional Interfaces in JDK8;passionandtech.blogspot.com -6;1370797134;6;Recommend some interesting technologies to explore;self.java -19;1370769912;9;Quick note on Oracle Java SE Time Zone Updates;openj.dk -14;1370743028;7;Best way to deploy Java Desktop Applications;self.java -5;1370739893;7;Array Buffer Object is disabled Please help;self.java -0;1370731904;12;Can t make my code work What am I doing wrong here;self.java -12;1370731113;24;We made a Pacman clone in Java for our AP Computer Science final project here it is How can we make it less crappy;self.java -1;1370714976;4;Active rendering tearing lagging;self.java -1;1370696879;11;Deployment Overlays A new feature of the JBoss EAP 6 1;blog.akquinet.de -65;1370695982;7;Oracle Discontinues Free Java Time Zone Updates;developers.slashdot.org -2;1370680799;2;Project dependencies;self.java -0;1370664828;7;How to make a list of objects;self.java -0;1370663367;6;Look Mate No Setters No XML;eclipsesource.com -10;1370640268;12;Facebook unveils Java based Presto engine for querying 250 PB data warehouse;gigaom.com -164;1370633638;44;I had an old man ask me to help him update his Java He had parkinsons and couldn t keep his hand steady enough to click the checkbox Scumbag java updater still no focus on the string It s only been 9 years now;i.imgur.com -11;1370614159;7;Code driven no annotations ORM for Java;github.com -4;1370610129;9;Style Guide for staying below 80 chars per line;self.java -4;1370588511;11;Annotation based Dependency Injection in Spring 3 and Hibernate 3 Framework;java-tv.com -12;1370587699;7;Asynchronous Servlet and Java EE Concurrency Utilities;weblogs.java.net -0;1370579024;4;Help with NetBeans please;self.java -15;1370568982;5;JavaFX on Android and iOS;self.java -3;1370561511;4;Using Graphics in Java;self.java -2;1370553331;2;ProcessBuilder help;self.java -14;1370537945;6;Oracle Java Virtual Developer Day 2013;oracle.6connex.com -0;1370523749;7;RAP Client Scripting Phase II 2 3;eclipsesource.com -4;1370516589;22;Does anyone know of simple framework in java for playing wav files that supports turning volume up and down as they play;self.java -14;1370508450;6;Joint union in type parameter variance;stackoverflow.com -1;1370486745;3;Help with Jython;self.java -0;1370478878;4;Help with Birthday Paradox;self.java -2;1370470986;13;What is the best resource for an absolute beginner to coding learn Java;self.java -0;1370452866;17;Friend and I got into an argument on this one I say its B Am I right;imgur.com -1;1370442500;8;Intermediate level Java programmer interested in game development;self.java -7;1370424928;4;Spring Security Authentication Provider;baeldung.com -0;1370420580;5;Spring Framework 4 0 Announced;infoq.com -20;1370417623;10;Announcing MapStruct a new code generator for Java bean mappings;mapstruct.org -2;1370397697;4;Complex Event Processing Comparison;self.java -1;1370391953;4;need if else help;self.java -0;1370390912;4;Peter Seibel on Maven;twitter.com -31;1370386910;12;Oracle to lop off Java s least secure bits to save servers;theregister.co.uk -2;1370383340;5;How do programs save settings;self.java -1;1370382759;4;Enum lt E gt;self.java -13;1370372181;10;Java EE 7 is final Thoughts Insights and further Pointers;blog.eisele.net -5;1370371799;10;All Java EE 7 JSRs have published their Final Releases;blogs.oracle.com -2;1370371654;5;Java EE 7 Deployment Descriptors;antoniogoncalves.org -3;1370368250;23;Beginner Java game Developer here Want to add some others like me on skype so we can help each other build programs together;self.java -10;1370364481;4;Java java code formatter;self.java -7;1370360907;11;WildFly 8 0 0 Alpha1 Release and a Bit of History;java.dzone.com -9;1370352512;9;What is Lambda Calculus and why should you care;zeroturnaround.com -1;1370344960;10;Java EE 6 Web Component Developer Certification Implementing MVC Design;epractizelabs.com -8;1370299300;10;Mapping enums done right with Convert in JPA 2 1;nurkiewicz.blogspot.com -94;1370263944;12;This is my last assignment for my Java unit ready for submission;imgur.com -3;1370262538;7;Short jhat tutorial diagnosing OutOfMemoryError by example;petermodzelewski.blogspot.sg -2;1370261962;7;Multicast file transfer protocol library for java;self.java -13;1370227004;13;Why is the toString method of arrays behavior different than the List class;self.java -9;1370192146;7;Code academy LCtHW like resources for Java;self.java -0;1370185730;4;TOMCAT service is failing;self.java -50;1370176214;4;JVM Performance Magic Tricks;takipiblog.com -13;1370110673;14;Ruby dev looking to lean on Java for performant web services Where to start;self.java -11;1370090454;11;New version of la4j 0 4 0 fast matrix Java library;la4j.blogspot.ru -11;1370087897;6;Where to find more JavaFx styles;self.java -0;1370067827;7;A simple Chaatroom in Java Programing Language;taskstudy.blogspot.com -3;1370063757;8;How to properly handle InnoDB deadlocks in Java;self.java -69;1370038021;13;MongoDB Java Driver uses Math random to decide whether to log Command Resultuses;github.com -5;1370036994;6;Apache ACE distribution framework with OSGi;ace.apache.org -5;1370029735;7;Understanding JSF 2 0 Performance Part 1;content.jsfcentral.com -0;1370028537;4;Head First Design Patterns;codeescapism.com -1;1370015080;5;Images won t get drawn;self.java -0;1370013330;3;Spring Custom Events;hmkcode.com -10;1370009680;13;What s new in JEE 7 blogging from reza rahman s oracle talk;selikoff.net -2;1370003504;8;Java on SPARC T5 8 Servers is FAST;blogs.oracle.com -6;1369998379;16;Maintaining the security worthiness of Java is Oracle s priority The Oracle Software Security Assurance Blog;blogs.oracle.com -28;1369995987;10;r java logo proposal to be featured on the poster;self.java -0;1369977783;11;Java noob here What is the fuss about the API documentation;self.java -0;1369944177;5;What happens in my programs;cdn.uproxx.com -4;1369941772;9;OmniFaces 1 5 Release Candidate now available for testing;arjan-tijms.blogspot.com -20;1369936010;4;SemanticMerge now speaks Java;codicesoftware.blogspot.com -4;1369931325;7;How to create bookmarkable pages using JSF;openlogic.com -0;1369925127;7;Looking For Memebers For A Development Team;self.java -11;1369920905;9;Stackifier for Java Make sense of your stack trace;stackifier.com -0;1369918949;9;Liferay Portal Practical Introduction Updated for Liferay 6 1;phloxblog.in -3;1369914027;7;What s with the hate on gridbag;self.java -0;1369886479;6;Finding a point on an oval;self.java -14;1369880451;39;Coming from c where do I start I m used to Net and Visual Studio What is the best way to dive right in What tools do I need Am I going to weep over not having Resharper P;self.java -7;1369864931;7;Web Developer trying to increase knowledge base;self.java -5;1369860640;13;Looking for some feedback for my little project djinn a graphical dependency explorer;self.java -0;1369859927;12;Hi I am working on a project and I need some insight;self.java -0;1369832532;7;Java Game Help Null In Integer Comparison;self.java -12;1369781188;6;Porting Perl 6 to the JVM;jnthn.net -0;1369768212;14;Text adventure game Need help with picking up items and moving to players inventory;self.java -36;1369763589;9;What code do you find yourself retyping a lot;self.java -3;1369759404;5;Gradle eXchange London October 28th;skillsmatter.com -4;1369754313;4;JEEConf 2013 trip report;branchandbound.net -3;1369743363;15;Some strange behavior with Eclipse RCP EMF GMF and linked diagrams inside a custom project;self.java -0;1369742330;12;Is it possible to find out if this program is already running;self.java -0;1369726936;3;Problem with openjdk7;self.java -7;1369689033;9;JSF choice between legacy components and fashionable performance killers;ovaraksin.blogspot.com -0;1369687445;16;If you have like 15 minutes to spare to write some code in java please help;self.java -0;1369686727;9;Help Cant add subtract multipy or devide in java;self.java -43;1369679921;11;r IntelliJIDEA A subreddit for discussion and assistance for IntelliJ IDEA;reddit.com -14;1369670424;12;Java8 plugin that adds supports for persistent local variables l C99 static;github.com -18;1369668506;10;Proof of Concept LambdaSpec how testing will look with Java8;blog.project13.pl -4;1369664847;12;I have created a scripting language and I am looking for feedback;bitbucket.org -7;1369657741;6;Abstract Class vs Interface in Java;javarevisited.blogspot.com.br -0;1369639404;6;Understanding Dynamic Proxy Spring AOP Basics;javaroots.com -2;1369617551;11;r ProgrammingJokes is new Feel free to post your best Joke;reddit.com -0;1369612846;17;I hate java just leaving this here because I can t find enough people to vent to;i.imgur.com -63;1369594211;9;gag some annotations that will help you express yourself;code.google.com -14;1369586088;7;Joeffice The Open Source Java Office Suite;joeffice.com -9;1369584926;7;New Maven plugins for simpler architecture management;h-online.com -10;1369570532;8;Apache OpenWebBeans 1 2 0 has been released;mail-archives.apache.org -7;1369569496;16;Announce XChart 2 2 0 Released MATLAB theme CSV import export and high res Chart export;blog.xeiam.com -16;1369522806;7;Tuning the Size of Your Thread Pool;infoq.com -11;1369520719;7;A question regarding the programming language Java;self.java -17;1369504487;12;Creating a simple batch job in Java EE 7 using JSR 352;planetjones.co.uk -11;1369497722;10;Implementing LWJGL OpenGL draw method into the Slick2D render method;self.java -23;1369435320;11;I m starting a Java Programming Internship what should I know;self.java -8;1369433131;8;Java EE 7 and JAX RS 2 0;jaxenter.com -1;1369431661;7;Is there an alternate link to Slick2d;self.java -0;1369386373;6;Item 5 Avoid Creating Unnecessary Objects;kodelog.com -6;1369368765;8;Java GC tuning for High Frequency Trading apps;onthejvm.blogspot.sg -50;1369361168;10;Matured Java open source project looking for some extra hands;self.java -7;1369341633;7;Writing acceptance tests with Selenium and Jnario;sebastianbenz.de -5;1369334573;16;Code that calls open also calls close APIMiner now supports examples for methods frequently called together;apiminer.org -0;1369324733;13;Need to hire a Super Sr Java Web developer Location doesn t matter;self.java -15;1369321125;12;JBoss EAP 6 1 Final released and available from public download page;access.redhat.com -4;1369258710;6;JSR 356 Java API for WebSocket;java.dzone.com -0;1369252316;9;setSelected with JRadioButton r new JRadioButton 3 not working;self.java -2;1369230724;10;Avoiding Java memory layout pitfalls with examples and funky tools;psy-lob-saw.blogspot.sg -45;1369229553;13;Useful Eclipse Plugins that didn t made it to the Top 10 list;jyops.blogspot.in -0;1369222140;8;Anyone know of a WYSIWYG editor in Java;flikode.com -1;1369221418;4;MDB messing REST service;self.java -1;1369218196;4;R I P JavaBlogs;osintegrators.com -7;1369192460;2;Network Programming;self.java -0;1369184556;20;Trying to test loading in a sprite from a sprite sheet and getting a null pointer exception Anyone know why;self.java -30;1369175329;14;The Great Java Application Server Debate with Tomcat JBoss GlassFish Jetty and Liberty Profile;zeroturnaround.com -5;1369166518;3;Java vs Scala;self.java -0;1369160407;7;Can t Play Sound More Than Once;self.java -4;1369152083;16;Trying not to re invent the wheel Something like Tasker but in Java xpost r javahelp;reddit.com -3;1369146787;1;Interfaces;self.java -16;1369142344;5;Functional Programming in 5 Minutes;slid.es -2;1369133912;9;Acquiring and releasing cloud servers in Java using JClouds;syntx.co -16;1369121924;10;How to Examine and Verify your Java Object Memory Layout;psy-lob-saw.blogspot.com -8;1369117519;6;Getting Started with RabbitMQ in Java;syntx.co -4;1369091374;7;Switching between data sources when using DataSourceDefinition;jdevelopment.nl -0;1369079836;6;jdk 1 4 thread httpurlconnection example;self.java -11;1369076600;13;Monitoring Memory Usage inside a Java Web Application with JSF PrimeFaces and MemoryMXBean;blog.javabenchmark.org -1;1369073063;11;Is it normal good practice to embed versioning in package name;self.java -0;1369069422;9;New Object Oriented feature I would like to see;self.java -0;1369059579;8;Thumbs db getting returned when searching for PDFs;self.java -5;1369057894;7;Asynchronous logging using Log4j ActiveMQ and Spring;syntx.co -4;1369049504;10;Using Rhinoslider with image and youtube content in JSF pages;kahimyang.info -5;1369048926;5;JSF 2 2 New namespaces;jsflive.wordpress.com -1;1369048545;9;Storing arrays in Infinispan 5 3 without wrapper objects;infinispan.blogspot.com -46;1369047877;7;Five Java Synchronizers you might not know;blog.josedacruz.com -0;1369041671;6;Toggle Key in Java Stack Overflow;stackoverflow.com -2;1369026358;6;Sending MIDI file to a DAW;self.java -0;1369019833;9;Can anyone help me with a Java Programming Question;self.java -6;1368992688;2;DEMUX Framework;demux.vektorsoft.com -0;1368991746;11;Anyone know how to make a Galaga style game using gridworld;self.java -24;1368991041;5;Is intellij better than netbeans;self.java -1;1368979394;5;Please help with netbeans issue;self.java -11;1368976533;8;Apache Wicket 6 5 vs JSF 2 0;codebias.blogspot.com -7;1368965899;8;Understanding Serialization and Constructor Invocations gt Hacking Singletons;kodelog.com -7;1368960484;10;Starting Maven based development of App Engine Endpoints REST services;planetjones.co.uk -0;1368938080;7;How could Scala do a merge Sort;dublintech.blogspot.sg -3;1368928583;9;Landed a Job How can I get even better;self.java -6;1368910891;6;Maven Dependency Plugin 2 8 Released;maven.40175.n5.nabble.com -12;1368870224;8;JSF Performance Mojarra improves dramatically with latest release;blog.oio.de -0;1368855067;6;Question Needing help on a project;self.java -0;1368847818;9;I want to learn Java Where do I start;self.java -4;1368825156;6;Maven Site Plugin 3 3 Released;maven.40175.n5.nabble.com -1;1368807836;13;Java 1 7 Deployment with SCCM MDT Your Java version is insecure workarounds;labareweb.com -13;1368802632;10;Getting Started with JMH a new Java Micro Benchmarking framework;psy-lob-saw.blogspot.com -0;1368799213;5;Spring Config File Best Practices;deepakgaikwad.net -43;1368782539;5;Lambda Expressions The Java Tutorials;docs.oracle.com -0;1368778075;5;Who doesn t uses pojo;qkme.me -1;1368771980;7;JSTL with IntelliJ and Tomcat 7 problem;self.java -4;1368765346;7;Looking for a good Android development tutorial;self.java -0;1368760197;8;QUESTION Reducing number of bytes in an image;self.java -4;1368754222;5;How to distribute my game;self.java -4;1368749819;14;Looking for practice exams for 1z0 804 OCJP7 not braindumps What do you recommend;self.java -0;1368734512;6;Handling string input for a calculator;self.java -0;1368724801;8;QUESTION Simple 3D rendering in a JAVA game;self.java -96;1368699215;14;IntelliJ IDEA is the base for Android Studio the new IDE for Android developers;blog.jetbrains.com -0;1368690592;8;Why Integer MAX_VALUE Integer MAX_VALUE result in 2;self.java -1;1368687219;17;Newbie How do I change the icon of a JTree parent node according to its child nodes;self.java -3;1368666834;22;Game develpoers of reddit I want to create a 3D JAVA game like Minecraft where did you learn to program 3D java;self.java -0;1368627987;6;Invoking EJB3 in WebSphere using Spring;ykchee.blogspot.com -0;1368615191;5;Help with basic Java calculator;self.java -16;1368593604;13;NQP compiler toolkit and Rakudo Perl 6 in NQP being ported to JVM;6guts.wordpress.com -1;1368576000;10;Is Java For Dummies a good resource for learning Java;self.java -11;1368552575;10;Remove all null references from a list in one line;stackoverflow.com -5;1368550513;7;Transactions and exception handling in EJB EJBTransactionRolledbackException;palkonyves.blogspot.hu -0;1368536514;5;Java GUI interface with scroll;self.java -0;1368518455;11;Why the amp does not Java s Deprecated attribute have this;imgur.com -0;1368497360;8;Started the Java Tutorial Built My First App;i.imgur.com -6;1368477520;6;JSF 2 2 Stateless views explained;jsfcorner.blogspot.com -20;1368476760;9;Reactor a foundation for asynchronous applications on the JVM;blog.springsource.org -13;1368468889;6;Jetty 9 0 3 v20130506 Released;jetty.4.x6.nabble.com -3;1368468798;6;Apache Tomcat 7 0 40 released;markmail.org -3;1368462445;7;DIY Java App Server on Redhat OpenShift;dmly.github.io -14;1368456529;6;Garbage Collection in Java part 3;insightfullogic.com -0;1368436806;7;need help passing a string and fast;self.java -21;1368436232;7;What s your all time favorite lib;self.java -27;1368363980;6;Java EE CDI in one page;kodelog.com -9;1368350921;8;Does the new keyword necessarily denote heap allocation;self.java -0;1368319210;19;New to Java And I need some critical help here I don t know whats wrong about my code;i.imgur.com -9;1368313464;3;Web app framework;self.java -6;1368312586;8;Simple Java based JSF 2 2 custom component;jdevelopment.nl -20;1368289827;7;Should package name be plural or singular;self.java -0;1368274533;10;Why isn t Java used for modern web application development;programmers.stackexchange.com -5;1368242308;17;Is it feasible to represent integers or BigIntegers as an ArrayList of the number s prime factors;self.java -14;1368241548;21;Looking for top tier Java books on the same level or higher quality as Head First Java Desperate for good material;self.java -5;1368240222;7;Getting mouse keyboard events without a GUI;self.java -2;1368224138;7;Anyone have experience with the Restlet Framework;self.java -12;1368222080;11;To Scala or Groovy Which is better for a mathematical approach;self.java -7;1368212558;4;JSF Configuration Context Parameters;blog.oio.de -1;1368192617;6;Spring MVC and the HATEOAS constraint;city81.blogspot.co.uk -5;1368188411;34;I have a table inside a scrollPane I m trying to auto scroll to the last row in the scroll pane but it only goes to second to last and hides the last one;self.java -3;1368167581;7;Using Spring PropertySource and Environment in Configuration;blog.jamesdbloom.com -12;1368135289;10;Gil Tene Azul CTO InfoQ talk on JVM inner workings;infoq.com -11;1368122017;6;Apache Tomcat 6 0 37 released;mail-archives.apache.org -3;1368118479;15;Free Java Tutorials For Absolute Beginners Episode 4 JDK Secret Explore CodeMink Life Gadgets Technology;codemink.com -9;1368101063;9;CogPar A Versatile Parser for Mathematical Expressions in Java;cogitolearning.co.uk -2;1368092319;10;How to Cluster Oracle Weblogic 12c via the Command Line;tokiwinter.com -7;1368092050;14;About the rise of the builder pattern in Java JDK 8 s Calendar Builder;javaworld.com -2;1368091434;8;Protocol Upgrade in Servlet 3 1 By Example;weblogs.java.net -31;1368091193;11;Change in version numbering scheme of Java SE 7u14 becomes 7u40;oracle.com -12;1368085461;6;Charlie Hunt Fundamentals of JVM Tuning;emergingtech.chariotsolutions.com -17;1368085393;6;Doug Lea Engineering Concurrent Library Components;emergingtech.chariotsolutions.com -0;1368070931;9;I need a loop that will crash my program;self.java -19;1368058655;6;Memoized Fibonacci Numbers with Java 8;blog.informatech.cr -6;1368057005;5;What is a Java Module;self.java -11;1368052793;9;Java EE 7 JMS 2 0 With Glassfish v4;piotrnowicki.com -9;1368043547;6;Java EE CDI Disposer methods example;byteslounge.com -28;1368038461;9;Should I throw an exception or return a boolean;self.java -0;1368036151;10;I m in highschool doing a Java project help please;self.java -0;1368033880;9;Score big with JSR 77 the J2EE Management Specification;javaworld.com -1;1368029442;11;Video Considerations for using NoSQL technology on your next IT project;skillsmatter.com -0;1368027112;19;Java Runtime Environment Version Selection in the New Java Plug In Technology introduced in Java SE 6 update 10;oracle.com -24;1368023841;7;The Great Java Application Server Debate GlassFish;zeroturnaround.com -1;1368023424;4;Copying Objects Cost Efficiently;self.java -10;1368000768;7;How would I do this in Java;self.java -0;1367975230;7;Can JNA load libraries from a jar;self.java -5;1367974712;9;Has anyone here taken the AP Computer Science course;self.java -9;1367945706;5;Liferay 6 1 custom portlets;self.java -7;1367934579;13;Tomb Raider now runs in jDosBox 3dfx Voodoo 1 emulation ported from MAME;jdosbox.sourceforge.net -7;1367932661;13;Am I right in thinking this is a Java Web App I want;self.java -7;1367929981;6;JPA JPQL Intermediate Queries with NamedQuery;tothought.cloudfoundry.com -0;1367905715;6;Best ways in layman s terms;self.java -1;1367904929;11;help advice for multilingual virtual keyboard X post from r javahelp;self.java -0;1367897940;7;In Need of some Java Programming Help;self.java -0;1367882397;3;g12 homework ArrayLists;self.java -0;1367875393;7;I need help getting shapes to move;self.java -0;1367868113;22;Simple question but I could really use the answer How do I make program run on its own outside of the compiler;self.java -5;1367853987;16;Best Source to learn Java with goal of Android development for a complete beginner to programming;self.java -15;1367834421;2;JVM Internals;blog.jamesdbloom.com -2;1367825720;3;JSF Performance Tuning;blog.oio.de -2;1367808609;8;Your Thoughts Graph DataStructures Boolean boolean bit Arrays;self.java -63;1367794645;7;Java Code To Byte Code Part One;blog.jamesdbloom.com -0;1367794058;4;Java homework help please;self.java -0;1367786678;3;Java instrumentation tutorial;blog.javabenchmark.org -0;1367780890;4;A different clock program;self.java -24;1367766572;8;What Properties in Java Should Have Looked Like;cafe.elharo.com -28;1367705521;7;What is the best Java networking library;self.java -0;1367697027;3;Java for Babies;howtogetrich.com -0;1367639332;7;Optimal way to do a for loop;self.java -8;1367594531;9;Java Enterprise Edition 7 WebSockets but no cloud support;h-online.com -0;1367594421;5;Java EE 7 moves forward;infoworld.com -20;1367573294;11;Integrating WebSockets and JMS with CDI events in Java EE 7;blogs.oracle.com -0;1367536825;9;How can I better understand drawings Graphics in Java;self.java -2;1367531057;8;The Great Java Application Server Debate JBoss AS7;zeroturnaround.com -0;1367529477;16;SpringMVC router Play Rails style routing configuration file for Spring MVC x post from r javapro;resthub.github.io -32;1367524228;10;Play Framework 2 1 The Bloom is Off The Rose;stupidjavatricks.com -6;1367522179;15;Hibernate Validator 5 0 1 and the story behind the missing 5 0 0 Final;in.relation.to -13;1367521857;9;Mark Little s Blog Java EE 7 is approved;community.jboss.org -2;1367521539;7;Proxy Chaining Aspects on Java Dynamic Proxy;dmly.github.io -1;1367520588;9;Creating Rest Services With Rest Easy In Web application;javaroots.com -14;1367514900;32;The Checker Framework enhances Java s type system to make it more powerful and useful This lets software developers detect and prevent errors in their Java programs x post from r javapro;types.cs.washington.edu -4;1367510963;4;Integrating Java with C;m.javaworld.com -15;1367507642;2;Javafx concerns;self.java -0;1367507118;6;Suggestions for existing Java project anyone;self.java -0;1367505932;10;I am new to java and need help and advice;self.java -0;1367445752;2;Eliminating types;self.java -0;1367435178;13;Run test case and test suite generated by Selenium IDE from command line;github.com -0;1367433950;4;Tapestry 5 3 7;tapestry.apache.org -2;1367433880;5;Qi4j SDK Release 2 0;qi4j.org -74;1367373384;4;New Java Decompiler WIP;self.java -0;1367372009;4;Announcing FX Experience Tools;fxexperience.com -2;1367360063;8;Need help keeping the mouse inside a JFrame;self.java -0;1367359332;5;Migrate to 21st century UI;self.java -1;1367358068;5;Requesting advice on Classpath issues;self.java -0;1367357774;15;Confused about updating a JLabel when a user selects a new image via a filechooser;self.java -2;1367348620;3;JEE Archetypes Guidance;self.java -5;1367342496;7;Please explain assets to me in java;self.java -0;1367339070;12;Anything I need to know for the AP Computer Science A test;self.java -5;1367335983;8;Async I O NIO2 question about AsynchronousServerSocketChannel accept;self.java -1;1367335299;8;Staff Availability Project no idea where to start;self.java -0;1367310733;3;Beginner java help;self.java -20;1367305773;7;Java EE 7 JSR 342 is final;blog.oio.de -0;1367281327;15;Can anyone write a script to take images from IG and post on a subreddit;self.java -17;1367270831;6;Apache Commons Codec 1 8 Released;mail-archive.com -0;1367262999;19;jLabel setText problem lt Java gt It s a question I asked somewhere in AskReddit and redirected me here;reddit.com -7;1367262591;11;JSF 2 2 Final Draft Approved Java EE 7 Coming Soon;blogs.jsfcentral.com -8;1367249279;5;Java application accessibility and networking;self.java -11;1367244547;9;Why Java is One of the Best Programming Language;javarevisited.blogspot.com.br -0;1367232761;6;jsp hook in liferay 6 1;javadispute.com -3;1367231805;5;Building a jar in netbeans;self.java -27;1367210396;6;Java nested classes in a nutshell;to-string.com -6;1367182885;15;Im having trouble with hashmaps could someone please explain to me where im going wrong;self.java -1;1367166305;5;Back from JavaOne Russia 2013;technicaladvices.com -0;1367159310;4;Seeking help with project;stackoverflow.com -16;1367152322;6;Apache Camel 2 11 0 Released;mail-archive.com -0;1367152172;7;HttpComponents HttpClient 4 2 5 GA release;mail-archive.com -0;1367149352;8;Help Update text in html from txt file;self.java -10;1367074545;8;JavaEE Next Java EE 7 8 and Beyond;infoq.com -10;1367068739;9;Java RAII and Long Lived objects is it possible;self.java -7;1367013569;8;Asynchronous Loggers for Low Latency Logging apache org;news.ycombinator.com -7;1367011819;5;Java 8 Hold the train;mreinhold.org -25;1367011487;22;Used DrJava to win a simulation AI competition for class in comments link to watch this competition go every hour all night;i.imgur.com -11;1367006629;6;JSR 356 Java API for WebSocket;oracle.com -6;1367005904;9;Is it possible to have a variable for classes;self.java -0;1366992251;7;PingTimeout fr WANTED Stacktraces on Hotspot JVM;pingtimeout.fr -12;1366949887;7;The eclipse plugin CodeRuler Where to download;self.java -27;1366915283;7;The Great Java Application Server Debate Tomcat;zeroturnaround.com -12;1366914238;12;Weld 2 0 0 Final CDI 2 0 Java EE 7 released;in.relation.to -2;1366901114;12;Best way to create a complex data table for a web application;self.java -1;1366897259;5;When an exception gets lost;eclipsesource.com -15;1366883903;7;Swing AWT sufficient to make a game;self.java -2;1366863857;13;Issues with using Java in Runescape Java Platform SE 7 U21 has crashed;self.java -2;1366860477;3;Trivia Game Testers;self.java -1;1366844940;1;Sound;self.java -11;1366843041;14;ModCFML allows for Tomcat hosts to be created based on IIS or Apache configuration;modcfml.org -0;1366827999;22;Lets talk about the main method Is there any real difference between String args String args String args or even String lolz;self.java -0;1366820934;18;Having issues coding an insertion method for a 2 3 4 5 Tree Will pay money for help;self.java -7;1366813874;13;Give Java Caching Standard API a go using Infinispan 5 3 0 Alpha1;infinispan.blogspot.de -11;1366804493;4;Practical introduction to JRebel;code-thrill.com -9;1366783903;15;tbuktu bigint An asymptotically fast version of java math BigInteger x post from r javapro;github.com -10;1366777698;4;Java Networking book recommendations;self.java -1;1366754637;12;Is it possible to compile on the GPU with CUDA or OpenCL;self.java -3;1366752436;4;ADF examining memory leaks;ramannanda.blogspot.com -18;1366749043;6;Apache TomEE 1 5 2 released;blogs.apache.org -26;1366727346;11;Understanding Java Garbage Collection and what you can do about it;youtu.be -13;1366725127;14;Meet my first Github project SqlToJson for mapping SQL query ResultSet into JSON file;self.java -2;1366719700;7;Much ado about null Stop fighting Null;adamldavis.com -8;1366712442;7;NextFlow An Object Business Process Mapping Framework;nextflow.org -12;1366711245;15;Here s a scalable XML document database engine powered by JVM technology take a look;self.java -0;1366692775;4;final exam practice problems;self.java -14;1366682962;6;Tips on becoming a better programmer;self.java -1;1366667323;4;Is there Java 0day;istherejava0day.com -9;1366642190;15;Full Disclosure SE 2012 01 Yet another Reflection API flaw affecting Oracle s Java SE;seclists.org -3;1366641947;3;Java Download down;self.java -0;1366583354;4;Looking to learn Java;self.java -0;1366582744;6;Fractal Generator on Github is FREE;self.java -1;1366566655;5;Simple publish subscribe suing J2SE;self.java -1;1366556630;23;ModeShape distributed hierarchical transactional and consistent data store with support for queries full text search events versioning references and flexible and dynamic schemas;jboss.org -8;1366553065;11;PingTimeout fr Extracting iCMS data from garbage collector logs Hotspot JVM;pingtimeout.fr -70;1366551715;6;Should IBM buy Java from Oracle;self.java -7;1366549291;8;JSF Expression Language EL Keywords and Implicit Objects;javaevangelist.blogspot.gr -6;1366536458;7;Fault injection in your JUnit with ByteMan;blog.javabenchmark.org -43;1366494999;10;Can t think of a good class name Try this;classnamer.com -6;1366454504;8;What is the function of the Toolkit class;self.java -0;1366439557;12;Whats the problem with JSF A rant on wrong marketing arguments JavaServerFaces;reddit.com -11;1366417589;7;Java 8 release delayed until next year;infoworld.com -4;1366412328;7;Role in Servlet 3 1 security constraint;weblogs.java.net -11;1366411858;7;Drools decision tables with Camel and Spring;javacodegeeks.com -4;1366410710;9;Newbie How do you make a run able file;self.java -0;1366410522;12;How you know you have spent too much time looking at code;self.java -21;1366406834;6;Project Lancet Surgical Precision JIT Compilers;github.com -0;1366403661;3;Octagon class optimization;self.java -0;1366400362;4;Minuteproject as a workspace;minuteproject.blogspot.fr -4;1366398682;8;Java makes mobile comeback with Tabris 1 0;h-online.com -0;1366398033;3;Slow Java compiler;self.java -33;1366353913;5;Java 8 will be late;blog.oio.de -0;1366336964;16;Can I get a code review to go over some concepts i m trying to implement;self.java -37;1366302817;6;Java 8 Schedule Secure the train;mreinhold.org -14;1366287748;8;Using Jasper Reports to create reports in Java;jyops.blogspot.in -10;1366281877;3;OOP Newbie Project;self.java -0;1366281829;17;We have a new build screen looking for ideas suggestions on how to maximise it s use;self.java -0;1366261399;3;JAVA Training Noida;self.java -3;1366234327;7;Where to find help for intermediate Java;self.java -6;1366227370;11;Getting Started with Java ME Embedded 3 3 on Keil Board;blogs.oracle.com -12;1366227210;11;Enjoy the magic of asciidoctor in java with asciidoctor java integration;lordofthejars.com -0;1366223744;5;Need help with a project;self.java -15;1366212841;9;The Great Java Application Server Debate Part 2 Jetty;zeroturnaround.com -16;1366210641;7;JSF 2 2 JSR 344 is final;blog.oio.de -24;1366207300;8;Java 7 Update 21 Security Improvements in Detail;blog.eisele.net -0;1366171722;6;Opening the design interface in Eclipse;self.java -2;1366168399;10;Beginner Help with text based RPG saving game and such;self.java -0;1366161412;10;Help with a Guess the Number program using GUI components;self.java -8;1366159283;14;Beginner Finished the MyBringBack Java series on learning Java where do I go now;self.java -2;1366154885;13;Is there a reference similar to Java Precisely for Java SE 6 7;self.java -8;1366144913;25;Beginner question is there a way to communicate like a chat with another PC behind nat without the use of a central or proxy server;self.java -15;1366131623;15;Why does changing the returned variable in a finally block not change the return value;stackoverflow.com -5;1366124724;6;Oracle Java SE Critical Patch Update;oracle.com -3;1366123893;4;Template Pattern Applied KeyStoreTemplate;ykchee.blogspot.com -16;1366121459;6;best practices no op in java;self.java -9;1366115919;7;Video Martin Thompson Performance Testing Java Applications;skillsmatter.com -6;1366100922;6;WordPress A Java Fanboys Red Pill;contentreich.de -1;1366098664;2;Puush Roullete;dl.dropboxusercontent.com -3;1366058961;2;Gridworld Menu;self.java -47;1366037994;7;meta Posting to r java for help;self.java -0;1366035779;2;String Intern;kodelog.wordpress.com -0;1366034581;3;Colorblind assist program;self.java -0;1366032601;2;Research Question;self.java -2;1366030519;4;JBoss EAR Deployment Question;self.java -0;1366026896;7;Document literal style web service with Java;dinukaroshan.blogspot.com -58;1366019783;23;Hey guys I made a Google Reader clone with JavaEE6 and AngularJS Give it a try Also it s open source see comments;commafeed.com -2;1366015203;8;Need to take picture when light is sensed;self.java -0;1365995723;12;How to make an image appear for an elapsed period of time;self.java -2;1365995274;13;Do you put braces in a new line or on the same line;self.java -14;1365993728;2;Java sound;self.java -0;1365989998;8;Cannot figure out how to prune a tree;self.java -1;1365934145;8;need help with action buttons on my work;self.java -0;1365923264;6;Problems with Java RE 7 U17;self.java -2;1365879680;6;Uploading Your Jar to Maven Central;kirang89.github.io -0;1365877575;28;In the following statement what does the int in parentheses mean Also why is it necceasry to have that AND the first int rand1 int Math random oneLength;self.java -0;1365871665;28;Can someone give me a graphics 101 please All of the things on the internet are too far ahead of me because I literally know nothing of graphics;self.java -24;1365866517;7;JUnit the Difference between Practice and Theory;eclipsesource.com -0;1365846483;7;JavaEE 7 with GlassFish on Eclipse Juno;blog.eisele.net -0;1365810771;8;r java Having issues generating random equations se;self.java -0;1365783200;10;Do you have any advice of how to start programming;self.java -0;1365778772;12;Need to create a new Forum page for my website in Java;self.java -0;1365771925;5;What Spring Integration is about;ruchirabandara.blogspot.sg -7;1365769363;4;Gradle Ain t Imperative;gradleware.com -0;1365750175;9;Grails user get current date amp time from controller;grails.1312388.n4.nabble.com -36;1365747802;4;Java 8 Optional Objects;blog.informatech.cr -0;1365738013;24;I m trying to make a GUI class that when a button is pressed launches a main class but it freezes when it launches;self.java -1;1365721900;4;Best beginner java book;self.java -22;1365712506;11;Check that your code is thread safe with JUnit and ContiPerf;blog.javabenchmark.org -0;1365698015;6;If MOS is down then what;blogs.oracle.com -8;1365697994;15;Including 2 versions 64 and 32 bit of the same library in Java NetBeans project;self.java -0;1365697514;13;Why do Java Packages use a DNS Like Naming Convention But in Reverse;self.java -0;1365682787;4;Upgrade to Java 7;self.java -0;1365681120;7;License of com sun files in OpenJDK;self.java -0;1365654467;4;Help with networking lab;self.java -9;1365593889;6;Structs failsafe coming to the JVM;infoworld.com -13;1365573492;7;Where to get java JDK source code;self.java -34;1365542681;9;First 4 Java EE 7 JSRs to go final;blogs.oracle.com -0;1365534132;21;Can someone help me with a Quicksort Algo I have all most Algos working except for quick sort any ideas help;self.java -0;1365519747;8;http databen ch Persistence Benchmark for the JVM;self.java -3;1365512571;7;How to write a tokenizer in Java;cogitolearning.co.uk -0;1365512458;7;Help with simple Java string problem D;self.java -0;1365504890;3;ByteBuffer to String;self.java -0;1365478676;9;Java noob that desperately needs help with multiple things;self.java -79;1365471220;18;UC San Diego Computer Scientists Develop First person Player Video Game that Teaches How to Program in Java;jacobsschool.ucsd.edu -0;1365468747;7;I have a noob question about subclasses;self.java -5;1365458153;6;Happy Releases with Maven and Bamboo;marcobrandizi.info -1;1365454355;6;JVM Biased Locking and micro benchmark;blog.javabenchmark.org -1;1365451281;12;Not sure where to ask this so I will start here arrays;self.java -1;1365449300;9;Which layout manager should I use in this program;self.java -2;1365440776;7;Generating an FXML file from JavaFX code;self.java -5;1365433638;7;Java Applet amp Web Start Code Signing;oracle.com -9;1365432485;3;MyFaces vs Mojarra;blog.oio.de -4;1365426927;5;Java Exception handling best practices;javarevisited.blogspot.com.br -4;1365418695;6;Java s Pattern and Matcher Class;self.java -48;1365401005;10;135 Million messages a second between processes in pure Java;psy-lob-saw.blogspot.com -2;1365397400;16;Can anyone offer insight on using InnoDB s row locking and transactions with Java Oracle JDBC;self.java -1;1365395930;8;How do you match a string with quotes;self.java -0;1365371369;5;Will Pay for Java Help;self.java -2;1365371151;14;What is the fastest way to compare a string to a Set multiword string;self.java -0;1365368851;17;I keep being told that a new Java update is available whenever I start up my PC;self.java -85;1365368463;9;Help me write a better open source Java decompiler;self.java -0;1365366108;6;FishCAT GlassFish 4 Community Acceptance Testing;theserverside.com -4;1365356781;6;Web Services Performance Testing with JMeter;blog.javabenchmark.org -17;1365347508;10;What s new in Java EE 7 s authentication support;arjan-tijms.blogspot.com -0;1365330369;9;Read from command line while program is running Windows;self.java -19;1365321999;5;Apache Struts 1 EOL Announcement;struts.apache.org -0;1365306168;13;Help me be ready for my next interview X post to r learnprogramming;self.java -23;1365304961;7;Metascala a tiny JVM written in Scala;github.com -0;1365290409;23;Making a minecraft mod and when testing it this error pops up despite lwjgl being listed in the libraries folder for the program;self.java -0;1365280161;5;Looking for a java mentor;self.java -15;1365230915;19;This is one of those bugs that could haunt a man to his grave any insight would be amazing;self.java -9;1365210653;6;A little story on Java Monitors;dinukaroshan.blogspot.com -20;1365193571;8;Java EE 7 and JAX RS 2 0;oracle.com -14;1365192467;7;Web Framework Benchmarks Round 2 techempower com;news.ycombinator.com -0;1365171916;6;I don t always throw exceptions;i.imgur.com -0;1365164997;9;IntelliJ 12 1 adds JavaFX 2 better retina support;jaxenter.com -0;1365134871;3;Java while loops;self.java -0;1365127902;9;A little test for you java fans out there;self.java -0;1365085950;7;classes are dead long live to lambdas;weblogs.java.net -6;1365083484;10;Richard Warburton not happy with Java 8 s Lambda API;mail.openjdk.java.net -9;1365083264;11;Want to get started with Java for fun Looking for advice;self.java -16;1365082412;3;Folder Structure Advice;self.java -6;1365047123;6;Newbie JDBC Question regarding DB credentials;self.java -27;1365035260;7;IntelliJ 12 1 adds JavaFX 2 support;jetbrains.com -39;1365017969;10;Unit test I checked in just now waiting for fallout;self.java -3;1364983290;6;Updated Jaybird Firebird JDBC driver Roadmap;jaybirdwiki.firebirdsql.org -23;1364976233;21;Starting with Java SE 7 Update 21 all Java Applets and Web Start Applications should be signed with a trusted certificate;blogs.oracle.com -8;1364962698;9;Embedded JSON database EJDB Java API binding now available;ejdb.org -0;1364961917;3;Generics help please;self.java -6;1364937702;6;Java EE Saviours and Frozen Time;blogs.oracle.com -0;1364925259;5;Need help with sorting words;self.java -0;1364921120;13;What do I need for second form of ID for oracle certification test;self.java -14;1364914616;8;Getting two bytes per ASCII character in Hex;self.java -12;1364897551;10;Is there a way to control chassis fans through java;self.java -0;1364832066;4;JEP 154 Remove Serialization;openjdk.java.net -7;1364824728;10;Top 10 Java Books you don t want to miss;jyops.blogspot.in -37;1364823864;10;Apache Commons FileUpload 1 3 released fix CVE 2013 0248;mail-archive.com -15;1364767653;9;NoSQL Inside SQL with Java Spring Hibernate and PostgreSQL;jamesward.com -1;1364764802;6;ZeroTurnaround Shifts to Open Source Hardware;zeroturnaround.com -7;1364754836;5;Help with Android Location crashing;self.java -11;1364751378;12;Hibernate ORM 4 2 0 Final and 4 1 11 Final Released;in.relation.to -12;1364749380;9;What is the correct way to translate my application;self.java -11;1364731350;10;Github for Binaries Bintray let into the wild by JFrog;jaxenter.com -26;1364664750;10;As a developer I want to use XML extremely easily;kubrynski.com -0;1364644635;3;Creating an explosion;self.java -2;1364612902;12;Java EE 7 and EJB 3 2 support in JBoss AS 8;jaitechwriteups.blogspot.in -0;1364605072;5;JFrame and g drawLine issue;self.java -9;1364591991;8;Is Java s sound API good for games;self.java -5;1364589134;2;SimpleORM whitepaper;simpleorm.org -3;1364586547;2;EMF DiffMerge;wiki.eclipse.org -31;1364585785;6;Apache Tomcat 7 0 39 released;mail-archives.apache.org -6;1364585707;7;Maven Release Plugin 2 4 1 Released;maven.40175.n5.nabble.com -6;1364585257;6;JavaFX 3D Preview for Java 8;youtube.com -4;1364583389;6;Alignment issues using multiple text editors;self.java -0;1364582806;7;Why We Need Lambda Expressions in Java;java.dzone.com -0;1364579186;11;Any real functional fundamental difference between Open jdk and Oracle jdk;self.java -0;1364555933;3;SeaBattle Java beginner;self.java -7;1364551852;8;Rebel Labs interview Sven Efftinge founder of Xtend;zeroturnaround.com -34;1364516770;12;Dollar Java API that unifies collections arrays iterators iterable and char sequences;dollar.bitbucket.org -4;1364512173;25;Problem installing Netbeans on Ubuntu 12 10 no compatible jdk was found however according to java version java version 1 7 0_15 It should work;self.java -0;1364507620;7;Why do people say J2EE or JEE;self.java -0;1364488427;4;Framework Benchmarks TechEmpower Blog;self.java -0;1364476718;3;Securing J2EE Applications;javajeedevelopment.blogspot.fr -11;1364468834;5;Theming in JSF 2 2;jdevelopment.nl -0;1364467766;21;I am looking for a way to use the for loop to iterate through a string but in chunks of 3;self.java -37;1364431415;14;Why does Java switch on ordinal ints appear to run faster with added cases;stackoverflow.com -0;1364418956;6;Need help with coding a question;self.java -2;1364418316;10;On JavaScript and Java s missed potential in the browser;reddit.com -3;1364417592;6;Open source Java iOS tools compared;javaworld.com -3;1364414670;7;Tools to start a new Java project;jroller.com -78;1364396565;4;Everything about Java 8;techempower.com -3;1364395004;8;What is Object Oriented Programming A Critical Approach;udemy.com -0;1364389786;5;Reviewer for Java OOP Interview;self.java -0;1364384751;17;After a couple of years developing raw Java this is how I felt when I met Maven;youtu.be -5;1364371128;5;Periodic Thread Processing in Java;drdobbs.com -93;1364339846;6;Java Scaring Tigers since 5 0;i.imgur.com -3;1364338133;5;Throwing Events in Java Game;self.java -0;1364336822;13;does Anyone know a good music file converter to convert to mp3 format;self.java -4;1364329851;28;Java memory leak detection crucial part of APM applications coded in Java still can leak Tools help but only if their users know how to use them wisely;correlsense.com -1;1364328954;13;Taking the WebSphere Liberty Profile for a spin using Intellij on the iMac;planetjones.co.uk -0;1364324988;9;r java Need your help guys with an assignment;self.java -11;1364316735;16;Scanner vs BufferedReader Is Scanner just a kludge until students are advanced enough to use streams;self.java -3;1364316106;34;r java I need your help I am taking a JAVA class however from what I can tell almost everything I am learning is either bad practice or deprecated Ie Setlayout null setBounds etc;self.java -0;1364315457;4;Inner classes in java;javaroots.com -7;1364306994;3;Gradle build progress;mail.openjdk.java.net -3;1364306344;6;Cryptography Using JCA Services In Providers;ykchee.blogspot.com -33;1364306048;5;JDK 8 Early Access Releases;jdk8.java.net -2;1364304825;14;Step by step guide on How to make use of Nashorn with Java 7;blog.idrsolutions.com -15;1364295288;3;Java and databases;self.java -1;1364292703;10;Best way to open user s browser on double click;self.java -0;1364284778;5;My List template class Improvements;self.java -0;1364260645;5;Getting back in the saddle;self.java -17;1364258916;15;How do I isolate an open source JAR behind an API without introducing version conflicts;self.java -0;1364242803;8;Installing JSF 2 2 on JBoss AS 7;mastertheboss.com -8;1364241532;6;Matching Engine with 1M sec operations;self.java -0;1364240629;5;Configuring CDI with Tomcat example;byteslounge.com -8;1364229114;6;Stateless views in JSF 2 2;jdevelopment.nl -18;1364225885;10;Java 8 Starting to Find Its Way into Net Mono;infoq.com -2;1364218514;6;ReentrantLock vs Intrinsic Lock in Java;javarevisited.blogspot.com.au -0;1364206679;3;Can Anyone help;self.java -0;1364192633;8;Java Hacker Uncovers Two Flaws In Latest Update;informationweek.com -5;1364166037;10;When in the order of opperations does explicit casting occur;self.java -24;1364160483;7;Introducing Kids to Java Programming Using Minecraft;blogs.oracle.com -0;1364152180;10;Taking WAS Liberty Next Profile for a spin in Intellij;planetjones.co.uk -0;1364145506;15;noob alert How change the content of a label once a button has been clicked;self.java -31;1364139834;50;Is the book Java Performance Tuning still relevant It s almost 10 years old now and on a precursory flip through I saw several mentions JVM tricks that are simply outdated Is anyone familiar with this book Is it worth picking up Are there any good books on the subject;self.java -0;1364124049;8;Free but Shackled The Java Trap GNU Project;gnu.org -0;1364071296;10;Error when trying to parse a string as an int;self.java -1;1364066398;6;Looking for feedback on app idea;self.java -16;1364053731;15;Why I have planned to move to Apache TomEE the next generation Java EE server;netbeanscolors.org -0;1364016592;2;ContextClassloader usages;javaroots.com -0;1364010961;8;Developing QnA app using Spring MangoDB and BootStrap;satishab.blogspot.sg -0;1363997009;11;Code in if Statement Not Being Called When Clearly True Help;self.java -9;1363987973;3;Saving Java EE;blog.dblevins.com -0;1363978105;10;Quick question How does the java Hash table generate hashes;self.java -0;1363975474;12;noob alert I need help sending an attachment to my gmail account;self.java -0;1363972566;17;Can I zip up data files in my jar and deploy them when the jar is ran;self.java -0;1363969031;9;Problem with receiving objects with objectinputstream Very strange bug;self.java -0;1363964844;2;Inheritance Question;self.java -0;1363954998;4;Refactor to remove duplication;matteo.vaccari.name -13;1363948738;25;Integrate AngularJS into a Maven based build process and develop automated unit tests and end to end tests with Jasmine and Arquillian for AngularJS applications;blog.akquinet.de -0;1363923983;5;Input from TextFile and StandardInput;self.java -0;1363921507;15;Java email program need to find way of printing quantities of emails with same domain;self.java -0;1363912934;1;Confused;self.java -1;1363893540;2;Using JComboBoxes;self.java -6;1363863605;9;New and Noteworthy in Liberty 8 5 Next beta2;ibm.com -0;1363859276;5;Java Stuff my funny motto;javastuff.blogspot.com -281;1363839493;10;Oracle Corporation Stop bundling Ask Toolbar with the Java installer;change.org -2;1363831032;6;Minipulating and then executing a string;self.java -0;1363828614;5;Observer design pattern removeObserver question;self.java -1;1363819073;4;Monte Carlo simulation help;self.java -5;1363804287;12;Out of curiosity What tools are you using to program in Java;self.java -13;1363800360;16;Why I will use Java EE instead of Spring in new Enterprise Java Projects in 2012;javacodegeeks.com -0;1363790010;10;If Java was a Haskell Part 2 The Type System;java.dzone.com -1;1363785811;2;Java CVE;self.java -1;1363783264;12;JBoss BRMS adding a declarative data model to the Customer Evaluation demo;howtojboss.com -6;1363768560;3;Reasons for IntelliJ;java.dzone.com -18;1363765834;12;How do I make the leap from Java novice to Java intermediate;self.java -7;1363761286;4;Java Puzzle Square root;corner.squareup.com -97;1363755008;1;Bonding;xkcd.com -0;1363727230;4;Help Java Programming Assignment;self.java -0;1363723313;7;I need some help on a project;self.java -3;1363694895;3;ZeroTurnaround Acquires Javeleon;zeroturnaround.com -1;1363693814;5;Groovy 2 1 2 released;jira.codehaus.org -14;1363691487;12;What objects do modern java programmers use for arrays and hash tables;self.java -4;1363689851;4;My Roman Numeral Converter;self.java -0;1363684767;10;Migration of GlassFish Eclipse plugins and Java EE 7 support;blogs.oracle.com -0;1363662943;16;Is there an online Java compiler that isn t buggy as hell and has decent features;self.java -22;1363661789;15;Dependency Injection with Spring Resource Inject or Autowired They re all similar but not identical;flowstopper.org -0;1363631209;2;Duke Images;duke.kenai.com -0;1363629198;8;Want to start from the beginning with Java;self.java -1;1363623207;6;Having issues with java beans OpenJDK7;self.java -0;1363613226;2;constructor help;self.java -16;1363609212;7;Cleaning up from the JDK7 OSX nightmare;self.java -0;1363608420;3;Experts please help;self.java -1;1363598538;13;Whats in a name Reason behind naming of few great projects Part II;javaroots.com -37;1363591432;16;Optimization of a lock free concurrent queue a journey from 10M to 130M updates a second;psy-lob-saw.blogspot.com -0;1363562066;5;Problem with output using GregorianCalendar;pastebin.com -1;1363539783;6;Help with extracting variable from loop;self.java -0;1363532314;3;Java Sound System;self.java -1;1363498557;31;How do I deal with the fact the text is different sizes on different platforms I can make programs on Linux and the text is minuscule on Windows with same program;self.java -1;1363491488;8;Help with User Input and If Else Statements;self.java -17;1363486672;6;Is JSF going to die out;self.java -16;1363438449;12;Red Hat s OpenJDK 6 Play What It Means for SaaS Java;saasintheenterprise.com -0;1363385447;7;Why Not One Application Per Server Domain;adam-bien.com -5;1363384024;6;Eclipse is not able to run;self.java -10;1363381621;7;JSF 2 2 Proposed Final Draft Posted;weblogs.java.net -0;1363363585;18;University CS Student confused out of my mind about linkedlists Any tips tricks that help you understand them;self.java -2;1363361488;10;HSQL SQLServer Hibernate DB ID s won t place nicely;self.java -12;1363354670;9;The Open Closed Principle in review By Jon Skeet;msmvps.com -0;1363321433;16;I have to create a minesweeper game and I m stuck trying to hide the mines;self.java -0;1363308272;16;Having some trouble getting rid of a java program Would anyone be able to help me;self.java -0;1363292167;11;How do I run a pseudo main method with an applet;self.java -0;1363275067;11;How Clojure Babies Are Made Compiling and Running a Java Program;flyingmachinestudios.com -6;1363264032;8;Trouble with loops to make a simple animation;self.java -4;1363260329;11;Code Quality Tools Review for 2013 Sonar Findbugs PMD and Checkstyle;zeroturnaround.com -3;1363225023;19;I would like to get the source code for a java game applet how do I do it freeware;self.java -0;1363211984;3;Java parameter collapse;self.java -16;1363196023;8;There are a dozen known flaws in Java;blogs.computerworld.com -1;1363183474;6;Quick question about Strings and Char;self.java -4;1363174645;7;A different way to do code review;codebrag.com -4;1363149932;9;Lucene amp amp 039 s TokenStreams are actually graphs;searchworkings.org -0;1363124283;16;Interview Tomorrow Need a crash course in Java linked lists and their application in tree structures;self.java -0;1363120025;26;Had some fun with my java programming assignment Thought it was so funny I decided to submit the source code feel free to compile and enjoy;self.java -0;1363118861;9;Learning Java with no dev experience Wish me luck;self.java -0;1363117034;21;Witty Moniker Games Presents Parrotry A free Java sandbox platformer game Link is to my website which contains the download link;wittymoniker.tk -0;1363108288;16;Could someone show me how to set up the for loop for this encryption decryption program;self.java -0;1363104944;4;String to int array;self.java -27;1363097672;20;Can someone explain to me like I m 5 what a hashmap is and how to basically use it Thanks;self.java -0;1363097135;13;Code help How do I lock a tile in a grid lay out;self.java -7;1363090796;3;Question about lambdas;self.java -4;1363082403;8;How to make a class Immutable in Java;javarevisited.blogspot.sg -14;1363074310;5;OmniFaces 1 4 is released;balusc.blogspot.com -2;1363066898;39;In Java especially for Google App Engine how does one create a submit search form that goes to a url e g www website com search Search Terms and have a java class parse the parameters and display html;self.java -0;1363053807;6;help with encryption and decryption project;self.java -0;1363047665;2;Help me;self.java -10;1363046914;8;Jetty 9 released bringing SPDY and WebSocket support;jaxenter.com -5;1363046596;9;Easy extensionless URLs in JSF with OmniFaces 1 4;arjan-tijms.blogspot.com -0;1363039354;9;Oracle censoring NetBeans community polls More info in comments;netbeans.org -0;1363020413;14;Big Data MapReduce on Java 8 collections would be awesome Java User Group London;plus.google.com -0;1363017986;11;How to brush up Java skills on the day before interview;self.java -16;1363005633;3;NLTK for Java;self.java -2;1363005584;10;Enhance a Java swing frame with JavaFx componets or functionality;lehelsipos.blogspot.sg -0;1362991634;1;java;self.java -2;1362991250;9;Monitor OS pauses with jHiccup when benchmarking Java App;blog.javabenchmark.org -1;1362971521;19;In JSoup how can one find select a div class id etc whose name is more than one word;self.java -9;1362924935;10;JPA and CMT Why Catching Persistence Exception is Not Enough;piotrnowicki.com -1;1362923992;7;Why do you enjoy being a developer;self.java -2;1362902136;8;Interested in learning Java where do I start;self.java -0;1362898323;2;Java Commands;self.java -30;1362868984;11;First thing I ve written in Java I m proud of;github.com -2;1362849266;13;Eclipse fails to run after installing java on Linux Mint Any ideas help;self.java -8;1362842916;5;Static Methods and Unit Testing;jramoyo.com -0;1362835254;6;LearnJavaOnline org Free Interactive Java Tutorial;ergtv.com -0;1362824671;2;Need help;self.java -21;1362796795;4;Java on iOS finally;jaxenter.com -0;1362791864;17;If I am running windows 8 should I download the 32 or 64 bit version of eclipse;self.java -0;1362784442;8;JBoss EAP alpha binaries available for all developers;community.jboss.org -4;1362775425;17;What skills will get a premium pay rate for Java Developers over the next couple of years;self.java -44;1362766075;6;Is the Spring Framework still relevant;self.java -0;1362760956;9;After consulting North Korea on how to keep customers;imgur.com -5;1362748901;4;JAXConf US goes free;jaxenter.com -1;1362738936;8;Three year Java abstinence there and back again;zeroturnaround.com -0;1362735550;9;Sins of GWT a k a Merits of JSF;blog.terrencemiao.com -0;1362729690;21;A question on Recursion I got my code working but it s not printing the way the question asks Any hints;self.java -13;1362686339;10;ModelMapper A simple object mapping library Useful or too simple;modelmapper.org -0;1362682489;13;If I have multiple reddit tabs open does that make me a thredditor;self.java -0;1362667987;8;OracleHelp JavaHelp HelpGUI 3 help systems for Java;helpinator.com -13;1362667023;11;4 Things Java Programmers Can Learn from Clojure without learning Clojure;lispcast.com -30;1362662307;15;Install me maybe The ZeroTurnaround devs produce a fun parody video to Call me maybe;youtube.com -27;1362657259;6;Continuous Performance and JUnit with ContiPerf;blog.javabenchmark.org -0;1362633526;23;So I take APCS but my teacher can t explain to me how to use a scanner method or explain how it works;self.java -5;1362619000;6;Trying to generate a regex programatically;self.java -9;1362611069;6;Garbage Collection in Java Parallel Collection;insightfullogic.com -6;1362611041;6;Merging Queue ArrayDeque and Suzie Q;psy-lob-saw.blogspot.com -6;1362585526;9;Hibernate manages to fix bug After nearly 7 years;hibernate.onjira.com -8;1362584230;10;Online Counter Days since last known Java 0 day exploit;java-0day.com -38;1362582780;18;JEP 178 package a Java runtime native application code and Java application code together into a single binary;infoworld.com -9;1362582526;12;XChart Release 2 0 0 Bar Charts Themes Logarithmic Axes and more;blog.xeiam.com -7;1362581391;9;Oracle Rushes Emergency Java Update to Patch McRAT Vulnerabilities;threatpost.com -22;1362579978;11;Prompted by Oracle Rejection Researcher Finds Five New Java Sandbox Vulnerabilities;threatpost.com -6;1362564492;8;JBoss EAP is it Open Source French translation;translate.google.com -1;1362560450;11;How to run lines in intervals or make a program wait;self.java -0;1362535272;22;How would I separate a single line of input into different variables while using a Scanner to read data from a file;self.java -2;1362518541;7;Twitter open sources Java streaming library Hosebird;h-online.com -7;1362502234;8;Any good project to see other s code;self.java -4;1362500855;5;Security Alert CVE 2013 1493;oracle.com -0;1362499577;11;java How to avoid using ApplicationContext getBean when implementing Spring IOC;stackoverflow.com -0;1362493583;19;Not sure if this is the right subreddit but I don t really understand what the return command does;self.java -3;1362487215;16;Java Raspberry Pi Mocha Raspberry Pi Hacking with Stephen Chin Oracle Evangelist and Java Rock Star;blog.jaxconf.com -3;1362484716;10;JRebel 5 2 Released Less Java restarts than ever before;theserverside.com -0;1362452059;4;Help with an exercise;self.java -0;1362436343;9;Need help with java very new to the language;self.java -19;1362434705;14;Java SE 7u17 Fixes 0 day exploits CVE 2013 0809 amp CVE 2013 1493;oracle.com -0;1362429661;4;Netbeans has surpassed Eclipse;self.java -0;1362428879;4;A star Java code;self.java -1;1362427187;10;Managing configuration of the EAP6 JBoss AS7 with CLI scripts;blog.akquinet.de -0;1362420025;8;DAE have problems with WatchService on Windows 7;self.java -0;1362411939;13;Would this program work in finding out my grade for a given class;self.java -0;1362399107;5;JVM Crash Core Dump Analysis;itismycareer.com -0;1362381437;9;How would you respond to these java interview questions;self.java -0;1362381273;8;N O V A 3 JAR All Resolutions;jar4mobi.blogspot.com -0;1362373525;4;Highschool level java questions;self.java -0;1362364514;10;Beginner Java Int to String or Char Can you help;self.java -0;1362330923;14;Is there a Java library for immutable collections that isn t Google s Guava;self.java -113;1362326971;7;Why does this code print hello world;stackoverflow.com -0;1362289297;2;Constructor help;self.java -0;1362287904;4;Need Help With Error;self.java -0;1362286711;14;Is it possible to change this nested for loop to a nested while loop;self.java -2;1362277755;3;Mac and Java;self.java -1;1362266953;8;Virtual Developer Day Fusion Development ADF March 5th;self.java -44;1362263128;9;Oracle Brings Java to iOS Devices and Android too;blogs.oracle.com -3;1362237363;7;Write your own profiler with JEE6 interceptor;blog.javabenchmark.org -9;1362220470;10;JVM performance optimization Part 5 Is Java scalability an oxymoron;javaworld.com -5;1362204101;4;Good game making tutorial;self.java -0;1362193910;4;Could use some help;self.java -1;1362183699;6;HTTP JSON Services in Modern Java;nerds.airbnb.com -2;1362180973;7;White Black listing Java Applets on websites;self.java -50;1362180723;5;Eclipse 4 2 SR2 released;jdevelopment.nl -0;1362176240;7;Java Source Code Tic Tac Toe Game;forum.codecall.net -0;1362165603;5;JavaScript Charts for Java Developers;java.dzone.com -0;1362155203;3;Why Lambdas Suck;blog.jaxconf.com -3;1362153345;6;Servlet Monitoring with Metrics from Yammer;blog.javabenchmark.org -2;1362148405;7;Looping bug in jdk1 6 0 u31;self.java -7;1362143768;9;Glassfish 3 1 2 2 Web Service Memory Leak;blog.javabenchmark.org -0;1362142016;10;How to Swap two integers without temp variable in Java;javarevisited.blogspot.com.au -52;1362138711;5;Yet Another Oracle Java 0day;blog.fireeye.com -4;1362124214;3;Advanced ListenableFuture capabilities;nurkiewicz.blogspot.com -0;1362097196;9;Help jar resolution is too big for my screen;self.java -6;1362085425;5;JSF is going spec Stateless;weblogs.java.net -18;1362071259;6;Open source Java EE kickoff app;jdevelopment.nl -9;1362065214;5;Vert x on Raspberry Pi;touk.pl -14;1362055017;3;Benchmarking With JUnitBenchmark;blog.javabenchmark.org -1;1362052992;13;Ask Toolbar Checkbox requires hitting the box itself is this a new thing;self.java -37;1362031780;12;Microsoft EMC NetApp join Oracle s legal fight against Google on Java;infoworld.com -14;1362015802;13;Pet Java Web Application Projects where do you prefer to have them hosted;self.java -3;1362010990;13;Unable to Connect to Database If I read that line one more time;self.java -1;1362000699;9;Looking for a replacement for JNetPcap or implementation advice;self.java -2;1361986770;12;Need help getting String int to display a running count on JLabel;self.java -0;1361967754;8;Spring for Apache Hadoop 1 0 Goes GA;blog.springsource.org -21;1361958839;10;Pencils down Solutions to our Pat The Unicorns Java puzzle;zeroturnaround.com -4;1361935522;13;A great organization that advocates coding in schools x post from r codepros;code.org -1;1361933309;10;Example of java to MySQL communication Simple swing MySQL interface;reddev34.blogspot.com -2;1361926527;13;How do properly I use threads while looping video to JPanel using JavaFX;self.java -6;1361924272;8;Negative side effects of javac targetting old versions;self.java -2;1361923722;11;I m learning java in college but I need some help;self.java -0;1361919293;3;WebLogic Logging Configuration;middlewaremagic.com -2;1361915467;5;Printing character arrays in applet;self.java -87;1361912394;13;Why myInt myInt myLong will not compile but myInt MyLong will compile fine;stackoverflow.com -10;1361906341;15;JavaBuilders Declarative Swing UIs with YAML On a mission to maximize Java UI development productivity;code.google.com -3;1361883970;7;How do I disable dithering in Java2D;self.java -0;1361882991;10;5 Things a Java Developer consider start doing this year;jyops.blogspot.de -43;1361875880;11;New holes discovered in latest Java versions Tuesday 2013 02 26;h-online.com -27;1361864722;4;Shazam implementation in Java;redcode.nl -0;1361851520;3;d 2f n;self.java -3;1361847206;9;making pascal s triangle using 2d arrays and recursion;self.java -0;1361844564;17;Need help with a basic java program like super basic Maybe a minute of an experts time;self.java -4;1361840847;4;Java and Slick 2d;self.java -48;1361839200;7;Usage of Java sun misc Unsafe class;mishadoff.github.com -1;1361792318;9;Demo Spring Insight plugins for Spring Integration and RabbitMQ;java.dzone.com -0;1361767405;19;Ok so I m having a polymorphism test tomorrow in my AP Computer Science class I need help urgently;self.java -18;1361740619;25;Rest services a developer workflow for defining data and REST APIs that promotes uniform interfaces consistent data modeling type safety and compatibility checked API evolution;github.com -5;1361739394;19;Apache OpenWebBeans Java EE CDI 1 0 Specification JSR299 TCK compliant and works on Java SE 5 or later;openwebbeans.apache.org -18;1361719748;3;Java 7 WatchService;javacodegeeks.com -25;1361718676;8;Martin Fowler on Schemalessness NoSQL and Software Design;cloud.dzone.com -18;1361665835;7;Netbeans or Eclipse Which do you use;self.java -21;1361654496;9;SECURITY CVE 2013 0253 Apache Maven 3 0 4;maven.40175.n5.nabble.com -0;1361651676;8;Brief comparison of Java 7 HotSpot Garbage Collectors;omsn.de -0;1361649082;6;Almost done with Head First Java;self.java -0;1361635054;8;NEED HELP Searching Array not working HOMEWORK HELP;self.java -26;1361620819;7;Rails You Have Turned into Java Congratulations;discursive.com -2;1361582535;9;The minecraft creators mojang brought the slick2d site down;twitter.com -2;1361563592;4;OpenJDK wiki system preview;wiki-beta.openjdk.java.net -104;1361562340;10;Almost halfway through sams teach yourself java Its going well;imgur.com -5;1361553128;45;Please explain like I m 5 years old why can t any given JAR be made to run on a different OS platform than the one for which it was written Why can t a JAR made for Windows be made to run under Android;self.java -2;1361546665;7;Serialization of Array of Serializable Objects Problem;self.java -8;1361539882;6;Books that every developer must read;femgeekz.blogspot.in -4;1361505027;5;Splitting a task via threading;self.java -0;1361498419;9;I feel like a MASSIVE noob but any help;imgur.com -0;1361498174;8;Help with sending information to a text file;self.java -0;1361478661;19;Newbie question here how do I you write a call in one method to a method in another class;self.java -75;1361467304;5;Trying to reinvent a b;self.java -1;1361454089;6;Pattern matching in Scala 2 10;eng.42go.com -0;1361433418;5;Java libraries in plain English;self.java -6;1361427727;50;I ve ported a moderately sized application to Java and I d like to distribute it but I don t want the user to have to install anything on their machine just double click and go Have I shot myself in the foot by planning on this method of distribution;self.java -4;1361420165;7;How to continue and expand my knowledge;self.java -24;1361410374;4;JDK8 developer preview delayed;mail.openjdk.java.net -5;1361394524;12;Interested in an easy to use code review tool Check out Codifferous;codifferous.com -14;1361365501;5;JavaFX 3D Early Access Available;fxexperience.com -4;1361364828;13;TCK access controversy chat with JPA 2 1 Expert Group member Oliver Gierke;jaxenter.com -0;1361335355;9;Need some help with working with classes and methods;self.java -1;1361334306;6;Java Plugin on Localhost using jprofiler;self.java -5;1361307269;12;Updated Release of the February 2013 Oracle Java SE Critical Patch Update;oracle.com -18;1361306833;9;Java SE Development Kit 7 Update 15 Release Notes;oracle.com -0;1361304838;5;Help Beginner Java Programming Assignment;self.java -12;1361303466;9;Has anyone developed UIs with JavaFX without getting frustrated;self.java -7;1361303007;5;Java EE 7 Maven Coordinates;wikis.oracle.com -11;1361302366;8;Introducing jenv a command line Java JDKs Manager;gcuisinier.net -0;1361299350;5;Spider Solitaire implementation for Java;self.java -0;1361293002;6;Looking for help getting into java;self.java -0;1361290710;13;Kickstarter to create Clojure screencasts Learn the most powerful language on the JVM;kickstarter.com -4;1361287653;6;The Heroes of Java Marcus Hirt;blog.eisele.net -25;1361280293;5;java util concurrent Future Basics;nurkiewicz.blogspot.ie -11;1361267490;6;Magical Java Puzzle Pat The Unicorns;zeroturnaround.com -0;1361254964;30;An American teacher Mary Herberth explains all the basic concepts of Java in a single class class as in both a school class and Java class in a naughty way;theladyteacher.blogspot.in -0;1361239620;5;Converting Integers to Binary Question;self.java -6;1361234761;8;Best coding environment for high school AP course;self.java -1;1361213171;12;Make a browse button and get chosen directory without selecting a file;self.java -0;1361209853;6;Help creating a url randomizing script;self.java -0;1361199738;5;International travel for Java Developers;self.java -4;1361197412;20;Discussion request If there is one Java library API class you really hate which one is it Here is mine;self.java -27;1361164051;19;A bit of a vague question but why does Java as a language draw so much hate and scorn;self.java -0;1361150200;4;Help with java program;self.java -0;1361127236;3;Pathfinding Unknown Environment;self.java -10;1361120947;10;What parser is the best for parsing HTML in Java;self.java -7;1361108479;22;WebJars are client side web libraries e g jQuery amp Bootstrap packaged into JAR Java Archive files x post from r javapro;webjars.org -1;1361101993;7;This week in Scala 16 02 2013;cakesolutions.net -3;1361081525;8;how to use jsoup to select certain lines;self.java -15;1361076328;11;So I want to write a server for a Java game;self.java -0;1361061096;3;Linear congruential generator;self.java -0;1361054104;7;PSA Anyone That Actually Enjoys Network Programming;self.java -1;1361049039;5;Best Java free java profiler;self.java -0;1361037075;9;Adding Spring lowers the quality of Java EE applications;infoq.com -0;1361033634;5;I can t uninstall java;self.java -0;1361031407;9;CAST Adding Spring Lowers the Quality of JEE Applications;infoq.com -1;1360982854;2;About Java;aboutjava.net -2;1360975390;6;Apache Ivy 2 3 0 released;mail-archive.com -9;1360975339;7;Apache Commons Daemon 1 0 13 released;mail-archive.com -0;1360966835;11;Help with creating specific input process for The Game Of Life;self.java -3;1360949258;18;Hibernate fail Using FetchType EAGER with ElementCollection gives you multiple time the same entity Answer Not A Bug;hibernate.onjira.com -7;1360932233;4;Symmetric Encryption in Java;blog.palominolabs.com -8;1360921268;18;Can somebody confirm deny this for me Does an array READ at a specific index block other threads;self.java -1;1360917110;17;How to solve Plugin execution not covered by lifecycle configuration error in Eclipse and the m2eclipse plugin;java4developers.com -1;1360917083;6;Series About Java Concurrency Pt 6;mlangc.wordpress.com -3;1360916692;3;Fizz Buzz Eficiency;self.java -1;1360893573;9;Help creating a web service using Java and Axis2;self.java -1;1360885538;6;Pathfinding using flow fields in Java;youtube.com -0;1360877796;2;Interface Question;self.java -3;1360870403;4;Stateless JSF short note;balusc.blogspot.com -3;1360870063;8;EasyCriteria 2 0 JPA Criteria should be easy;uaihebert.com -100;1360866391;4;Happy Valentine s Day;imgur.com -0;1360862735;11;Does anyone here have any idea what this error message means;i.imgur.com -5;1360859501;9;Effective Java by Bloch any exercises in the text;self.java -0;1360838400;12;Anyone come across any tooling plugins for editing LESS files within Eclipse;self.java -12;1360810649;5;Best high school Java textbook;self.java -0;1360801412;7;Looking for some help with unit collision;self.java -9;1360792791;5;Java IDE that allows notes;self.java -2;1360771955;10;Learning bits and bytes java io Console broken in Eclipse;learningbitsandbytes.blogspot.com -1;1360768866;6;Series About Java Concurrency Pt 5;mlangc.wordpress.com -1;1360768764;12;Made a notepad out of boredom but having problems implementing some features;self.java -28;1360757906;10;IntelliJ IDEA 12 Wins Jolt Award for Coding Tools 2013;blogs.jetbrains.com -3;1360748852;12;Are there any good websites for learning Swing and graphics API s;self.java -1;1360747220;7;Alignment Concurrency and Torture in the JMM;psy-lob-saw.blogspot.co.uk -1;1360727626;7;Preserving JSF Request Parameters and REST URLs;ninthavenue.com.au -6;1360724473;9;Is there anything like codeacademy that teaches Java interactively;self.java -19;1360714150;16;I have created r Slick2D Join us in building a community around this Java graphics library;reddit.com -42;1360708328;6;Java 8 From PermGen to Metaspace;java.dzone.com -4;1360707020;13;Uncaught Java Thread Exceptions 3 ways to install default exception handler for threads;drdobbs.com -8;1360701991;16;Updates to February 2013 Critical Patch Update for Java SE The Oracle Software Security Assurance Blog;blogs.oracle.com -6;1360674484;6;Need help finding a Java Developer;self.java -0;1360672733;7;5 Concurrent Collections Java Programmer should know;javarevisited.blogspot.com.au -0;1360658923;10;Java developer for hire in the Leiden region the Netherlands;self.java -0;1360634155;29;I want to write a valentine s day card with some java code for my boyfriend and was wondering if anyone could tell me how to do it correctly;self.java -5;1360622719;4;Need Better Graphics System;self.java -1;1360620374;11;Apache Syncope is an Open Source system for managing digital identities;syncope.apache.org -47;1360591334;10;IntelliJ IDEA 12 Wins Jolt Award for Coding Tools 2013;drdobbs.com -13;1360583302;7;10 Online Snippets to Test your Coding;smashinghub.com -1;1360567073;7;Generating Sitemaps Using Spring Batch and SitemapGen4j;jramoyo.com -0;1360562831;6;BriteSnow on Jetty Quick Start Guide;mydailyhash.wordpress.com -8;1360548365;6;First Step on Legacy Code Classifying;coding.abel.nu -0;1360545719;9;Make a runnable jar that includes the java file;self.java -0;1360519574;15;Please help me with solving a Java issue while setting up minecraft server with Bukkit;self.java -2;1360486453;11;Green forest addition for JEE amp Spring with Action Handler architecture;code.google.com -0;1360444809;6;Help in learning custom exception handlers;self.java -8;1360440088;3;A java crawler;github.com -0;1360439427;13;Looking to transition into game development in Java struggling to find suitable tutorials;self.java -30;1360437946;13;With possibly outdated J2EE skills how to land a job with current technologies;self.java -0;1360435557;12;Dependometer performs a static analysis of physical dependencies within a software system;source.valtech.com -4;1360430882;7;Trying to view bytecode for a class;self.java -7;1360414619;11;Are there any toolchains for Java similar to the Go toolchain;self.java -19;1360387498;6;WeatherAPI platform agnostic live weather platform;github.com -0;1360367018;3;Hash codes question;self.java -4;1360359469;4;Canvas based GUI Input;self.java -4;1360353165;11;The correct way to use integration tests in your build process;zeroturnaround.com -3;1360348953;6;On the Dark Side of Craftsmanship;architects.dzone.com -0;1360342064;21;meta If you can t be bothered to format the code in your post correctly I m not going to answer;self.java -0;1360340558;6;Need help with JConsole JMX remote;self.java -0;1360333703;9;How to lock up Swing UI during asynchronous operation;self.java -0;1360329238;7;Learning bits and bytes Suppressing JExcel warnings;learningbitsandbytes.blogspot.com -0;1360325901;6;Scala is better than injection framework;blog.scaloid.org -21;1360304659;5;Java Enum implementing an Interface;byteslounge.com -13;1360272648;7;The fork join framework in Java 7;h-online.com -21;1360268935;11;Litte framework to create Java programs that behave like Linux daemons;github.com -0;1360265242;21;xpost from r javahelp I keep getting a NaN value when dividing and can t figure out where it s happening;reddit.com -0;1360260019;12;images not loading when using java sockets to make a proxy server;stackoverflow.com -0;1360257409;9;Hello I need some help with a class assignment;self.java -0;1360254164;7;Weird bug teacher can t find issue;self.java -4;1360248675;8;Java looping bug details Where is bug 7070134;self.java -3;1360243080;15;Java Spotlight Episode 119 Emmanuel Bernard on JSR 349 Bean Validation 1 1 emmanuelbernard jcp;blogs.oracle.com -6;1360215196;5;Need help for potential interview;self.java -0;1360210208;3;Trouble with classes;self.java -0;1360202219;5;Tic Tac Toe Java Tutorials;forum.codecall.net -1;1360201483;4;Upcasting downcasting Java Tutorials;forum.codecall.net -0;1360186811;14;New to programming not sure what the Syntax error is on this Help please;self.java -5;1360170195;5;PrimeFaces 3 5 RC1 Released;blog.primefaces.org -0;1360163023;5;Oracle releases Java patch update;infoworld.com -3;1360160070;4;The Future of IcedTea;blog.fuseyism.com -216;1360157768;10;3 000 sign petition to remove Ask Toolbar from Java;jaxenter.com -0;1360137599;4;IcedTea6 1 12 Released;blog.fuseyism.com -1;1360131703;8;Trying to multiply a 2x2 matrix please help;self.java -16;1360107393;2;Why Java;self.java -1;1360106690;4;Still learning any suggestions;self.java -0;1360096267;8;Cannot add platform crEme to netbeans Please help;self.java -1;1360094867;4;Looking for Java Assertions;self.java -0;1360093491;6;Recommended Books Reading Tomcat Java Admin;self.java -0;1360085731;16;Do I still need JAVA installed Where am I likely to have a problem without it;self.java -0;1360085333;8;Security holes in java 6u39 vs java 7u13;self.java -2;1360078327;5;Online courses for Java EE;self.java -0;1360067262;10;I Didn t Ask for a Toolbar with That Java;weblogs.java.net -163;1360065237;6;Petition Stop bundling crapware with Java;change.org -0;1360047379;19;The Firebird JDBC team is happy to announce the release of Jaybird 2 2 2 also available on maven;firebirdsql.org -1;1360037965;6;Defensive API evolution with Java interfaces;blog.jooq.org -0;1360037882;17;What are the different Java GUI toolkits that exist and what are the pros cons of them;self.java -11;1360031680;9;Introducing a new Java framework for web development Micro;self.java -1;1360010002;7;Drools decision tables with Camel and Spring;toomuchcoding.blogspot.com -0;1360007284;12;Where is the best place to learn programming in Java from scratch;self.java -0;1360002859;12;Can somebody please tell me what I m doing wrong Noob Alert;self.java -0;1359997237;11;Maxine VM presentation at the Summer School of ECOOP 2012 PDF;wikis.oracle.com -3;1359987084;9;Java and Java EE Best Practices I m lost;self.java -77;1359980876;11;Java 6 now end of life time to move to 7;blogs.infosupport.com -0;1359967145;9;Jaybird 2 2 2 Firebird JDBC driver is released;firebirdnews.org -0;1359954656;3;Generating random number;self.java -13;1359946324;24;I remember reading a long time ago about a game that involved coding in Java Anyone have an idea what I m talking about;self.java -0;1359937309;9;How can I check if a process is running;self.java -13;1359927424;11;Does anyone know of a good website for practicing Java regex;self.java -1;1359896851;16;JDBC Realm and Form Based Authentication with GlassFish 3 1 2 2 and Primefaces 3 4;blog.eisele.net -0;1359871271;14;Noob here can someone please help on creating a word dictionary with 2 classes;self.java -0;1359866868;17;Is anybody else using the early access JDK8 builds and finding the compiler to be incredibly fragile;self.java -9;1359857771;6;Any good alternative to knowledgeblackbelt com;self.java -1;1359839947;17;Book Says This References Existing Class I m Sure It Makes a New One Who is Right;self.java -10;1359837825;11;How to parallelize loops with Java 7 s Fork Join framework;omsn.de -1;1359835888;5;Spring Social Api Providers list;github.com -2;1359830411;9;How do I make an image follow another image;self.java -0;1359826550;17;After being p0wn3d Twitter suggest users encourage users to disable Java on their computers in their browsers;blog.twitter.com -0;1359808511;10;Eclipse in Space Talking RCP and Robotics with Tamar Cohen;jaxenter.com -51;1359792763;7;A Java 8 Project Lambda feature summary;sett.ociweb.com -1;1359764433;9;JButton apocalypse Death of the JButton next gen gui;forum.codecall.net -0;1359759745;9;Up to date Java Library Benchmarks for Decoding Base64;self.java -5;1359759596;3;Gradle 1 4;h-online.com -2;1359757509;5;Java Developer Need Title Suggestions;self.java -0;1359753861;10;Noob here Adobe Edge animations not starting plase halp mooltipass;self.java -24;1359752676;9;Oracle Java SE Critical Patch Update Advisory February 2013;oracle.com -1;1359743311;7;Application Servers play musical chairs in 2013;zeroturnaround.com -5;1359738759;7;RichFaces 4 3 0 Final Release Announcement;bleathem.ca -4;1359721896;8;Difference between Heap and Stack memory in Java;javarevisited.blogspot.in -1;1359720199;6;The IP SQUARE Commons Java Libraries;mlangc.wordpress.com -2;1359690374;4;First steps towards graphics;self.java -1;1359687129;4;Help with permutation program;self.java -1;1359679621;11;Java blocked in Safari on 10 6 x 10 8 x;derflounder.wordpress.com -0;1359668013;9;Am I Doing It Right First Java Programming Homework;i.imgur.com -58;1359666228;19;What are the java essentials that you NEED to know if you want to get a job programming java;self.java -0;1359652743;10;Request Write a small helpful program Not sure of difficulty;self.java -0;1359642973;1;MineSweeper;self.java -0;1359634423;7;Gradle JavaFX Plugin 0 2 0 Released;speling.shemnon.com -3;1359582492;8;Noob question Using third party libraries in Java;self.java -0;1359553471;5;Caching with Spring Data Redis;blog.joshuawhite.com -0;1359495744;6;Firebird JDBC driver ported to Android;firebirdnews.org -0;1359490145;4;Concerning NAT Hole Punching;self.java -93;1359487454;8;Oracle will continue to bundle crapware with Java;computerworld.com -2;1359483671;8;Fixing The Inlining Problem by Dr Cliff Click;azulsystems.com -0;1359480470;7;Math class issues Clarification would be appreciated;self.java -0;1359478827;9;Need help with a REGEX pattern xpost r regex;self.java -25;1359462733;7;How aggressive is method inlining in JVM;nurkiewicz.blogspot.com -4;1359434067;3;Trouble with nonstatic;self.java -5;1359418375;6;Working with jzy3d 3 d graphs;self.java -1;1359408191;8;Help Supernoob need help with defining exact match;self.java -0;1359387550;6;Java Mutiple Class w parameters help;self.java -0;1359387063;45;Java servlet spec defines ISO 8859 1 as the default character encoding for POST requests which might cause problems in environments using UTF 8 as default This post describes a resolution for the issue in a multi application server environment with Guice s servlet module;blog.eluder.org -50;1359379517;8;We will fix Java security pledge Oracle devs;jaxenter.com -1;1359350903;13;We Reached the 1000 mark keep it going Check out my java project;kck.st -0;1359335506;8;Offer online introductory java course from r javahelp;reddit.com -0;1359333529;7;Configuring Notepad as a nifty Java IDE;quarkphysics.ca -0;1359330318;7;Mirroring an image over y height 2;self.java -0;1359329586;6;How to start programming in java;self.java -0;1359326482;14;Listing a directory on the class path when it s in a Jar archive;self.java -0;1359317474;16;Stackoverflow Tools Eclipse Plugins to generate DAO s Pojo s and JSP s from MySql tables;stackoverflow.com -13;1359299924;16;Is this a good enough random algorithm why isn t it used if it s faster;stackoverflow.com -29;1359292570;5;Building a Raspberry Pi Cluster;blog.afkham.org -0;1359287929;12;How Can Cloud IDEs Save Your Time Build and Deploy Part 2;cloudtweaks.com -0;1359268278;9;Why won t this code work Frozen While loop;self.java -0;1359230147;6;I made a sweet Java app;dl.dropbox.com -1;1359213617;11;MongoDB How to limit results and how to page through results;blogs.lessthandot.com -0;1359211095;7;Efficient way to create strings in Java;ravisrealm.tumblr.com -0;1359210463;4;Hyperscala a chat example;scala-topics.org -1;1359200784;6;Pentaho Reporting lib for generating reports;github.com -1;1359198177;8;Axon Framework 2 0 helps Java applications scale;h-online.com -1;1359198026;6;Eclipse Foundation announces Hudson 3 0;h-online.com -20;1359169142;2;Big Arrays;omsn.de -1;1359151828;13;NoSQL Unit is a JUnit extension that helps you write NoSQL unit tests;github.com -14;1359151643;18;ThreeTen project provides a new date and time API for JDK 1 8 as part of JSR 310;threeten.github.com -0;1359151529;9;unix4j implementation of Unix command line tools in Java;code.google.com -1;1359151123;6;Gressil Safe daemonization from within Java;github.com -3;1359150813;9;Need some help accepting input from the command line;self.java -1;1359127108;4;In Support Of Maven;theexceptioncatcher.com -30;1359118495;5;Groovy 2 1 is released;glaforge.appspot.com -1;1359111617;10;How to Modify json with GSON without using a POJO;stackoverflow.com -0;1359109996;7;Hello World not compiling in eclipse S;self.java -7;1359108882;5;Groovy 2 1 is released;self.java -2;1359085351;5;Is Java similar to C;self.java -1;1359047344;5;Logging in Java part 4;blog.zololabs.com -5;1359040097;9;nealford com Why Everyone Eventually Hates or Leaves Maven;nealford.com -12;1359030164;8;How to track lifecycle changes of OSGi bundles;eclipsesource.com -34;1359021319;14;Sometimes I just feel silly with the amount of indentation when doing simple things;self.java -1;1358999660;7;Outputting multiple lines of text in JTextArea;self.java -15;1358982410;6;Tips for getting proficient with Scala;self.java -0;1358977546;4;replaceAll doesn t work;self.java -1;1358970045;2;Netbeans Help;self.java -1;1358948664;7;A passionate defence of Java s virtues;javainxml.blogspot.ca -0;1358946729;12;How to check if a number is positive or negative in Java;javarevisited.blogspot.sg -4;1358944998;7;The default DataSource in Java EE 7;blogs.oracle.com -7;1358943692;9;Danny Coward on JSR 356 Java API for Websocket;blogs.oracle.com -34;1358935113;13;Apache Shiro is it ready for Java EE 6 a JSF2 Shiro Tutorial;balusc.blogspot.com -3;1358904508;2;Swing tutorials;self.java -9;1358889025;18;Managing the life cycle of resources in Java 7 the new try with resources block Blogs from RTI;blogs.rti.com -5;1358884371;4;Having problems learning java;self.java -114;1358871042;12;A close look at how Oracle installs deceptive software with Java updates;zdnet.com -0;1358865030;5;Disabling Java in Internet Explorer;infoworld.com -0;1358864288;7;How to Disable Java in your Browsers;infoworld.com -2;1358859674;5;Test Driven Development TDD Traps;methodsandtools.com -9;1358850007;3;JPA ORM Recommendations;self.java -1;1358810203;13;Can someone please help me with this series of for loops with arrays;self.java -4;1358803522;10;How would one create a class like BigInteger or BigDecimal;self.java -35;1358788343;6;The Heroes of Java Coleen Phillimore;blog.eisele.net -3;1358783870;3;Java for Beginners;self.java -5;1358771572;8;10 Tips for using the Eclipse Memory Analyzer;eclipsesource.com -0;1358770220;6;Java subList for offset and limit;fabiankessler.blogspot.com -0;1358760358;8;Help Failed to remove existing native file sqlite;self.java -5;1358759419;18;Advice Want to write a secure chat client using Google App Engine wrote a tiny local mental model;self.java -2;1358733972;4;Give Duke a Break;blog.mdominick.com -4;1358730167;6;HELP Canvas rendering getting cut off;self.java -9;1358725172;5;Using Apache Shiro with JSF;blogs.bytecode.com.au -4;1358706352;5;Hibernate HibernateUtil and Transaction Handling;self.java -2;1358701068;19;Can t find a straight forward guide of how to migrate a taglib from Tomcat 6 to Tomcat 7;self.java -0;1358699425;17;Looking for someone to teach me some basic threading sockets in java over Voip More in comments;self.java -0;1358685577;6;Indexes in MongoDB A quick overview;blogs.lessthandot.com -9;1358679460;10;JPA 2 1 Implementation EclipseLink M6 integrated in GlassFish 4;blogs.oracle.com -11;1358631916;10;Knowledge Black Belt shutting down free courses workshops till 31jan;knowledgeblackbelt.com -0;1358631147;7;need help with my code specifically arrays;self.java -0;1358626838;3;Need urgent help;self.java -22;1358607759;7;6 Tips to Improve Your Exception Handling;northconcepts.com -0;1358564935;5;Error in Official Java Tutorial;self.java -0;1358539562;14;Is calling int set equals to array length more efficient than calling array length;self.java -0;1358513227;18;java help solution I m self studying java from a book and can t get past these problems;self.java -17;1358511011;9;Spring Framework 4 0 to embrace emerging enterprise themes;jaxenter.com -0;1358506058;4;Help me with Hibernate;stackoverflow.com -2;1358486062;3;Sharing is caring;self.java -5;1358456787;23;DCOM wire protocol MSRPC to enable development of Pure Bi Directional Non Native Java applications which can interoperate with any Windows COM component;j-interop.org -14;1358456383;5;Orika Java Bean mapping framework;github.com -44;1358456296;5;Enum tricks hierarchical data structure;java.dzone.com -4;1358442822;17;Release Notes for the Next Generation Java Plug In Technology introduced in Java SE 6 update 10;oracle.com -1;1358438785;12;How to halt filter on a particular class when debugging in Eclipse;self.java -5;1358430199;4;ATDD Cucumber and Scala;blog.knoldus.com -1;1358401435;9;Question about toString method for dice game java prgm;self.java -5;1358390813;12;java net socketexception no buffer space available maximum connections reached recv failed;self.java -0;1358389234;7;Another javafx in a swing applet question;self.java -9;1358353473;7;Understanding when to use JPA vs Hibernate;self.java -15;1358349434;17;Who has used the Netbeans Platform do design an application What s you re opinion on it;self.java -31;1358346472;9;Java 8 Now You Have Mixins Kerflyn s Blog;kerflyn.wordpress.com -9;1358342224;12;A Garbage Collection analysis of PCGen the popular Open Source Character Generator;martijnverburg.blogspot.co.uk -14;1358339364;5;Arguments for the final keyword;alexcollins.org -2;1358336772;4;Cacheable overhead in Spring;nurkiewicz.blogspot.com -4;1358305333;11;Can some one help me with deploying and using javafx applets;self.java -0;1358266876;4;Java Update 11 Issues;self.java -12;1358256655;8;An overview of JUnit testing with an example;compiledk.blogspot.com -20;1358253310;3;Java hosting advise;self.java -0;1358239445;10;Java Class Reloading Pain A Fresh Open Source JRebel Alternative;contentreich.de -0;1358218318;20;I just began to learn Java I made this for shits and giggles I should probably be studying for exams;pastebin.com -2;1358211765;17;I will be applying for an internship over the summer any pointers on how to prepare myself;self.java -0;1358192080;5;Going offline with Maven RTFB;ogirardot.wordpress.com -0;1358190444;9;Please can you help me with some simple code;self.java -229;1358185426;5;Java installer Ask Toolbar Seriously;self.java -3;1358172684;10;Deploying Oracle ADF Applications on the Oracle Java Database Cloud;blogs.oracle.com -7;1358172600;3;Java Mini Profiler;github.com -3;1358172530;16;Modern threading for not quite beginners small sample Java programs that use intermediate level thread control;javaworld.com -5;1358166272;6;Time estimation for OCAJP 7 preparation;self.java -0;1358117805;7;Oracle Security Alert Update Your Java Now;oracle.com -19;1358114136;16;Security Alert for CVE 2013 0422 Released Fix for Oracle Java 7 Security Manager Bypass Vulnerability;blogs.oracle.com -0;1358108296;21;Is the department of Homeland Security s warning about disabling Java software going to affect career opportunities for aspiring Java programmers;self.java -3;1358107894;6;Newer java decompiler than JD GUI;self.java -25;1358106003;5;Learning Java for game development;self.java -0;1358081881;5;A verbose but effective MouseListener;dev.fhmp.net -5;1358031105;10;Vert x Red Hat and VMware in active discussion Update;h-online.com -2;1358030646;4;Tapestry5 by examples JumpStart;jumpstart.doublenegative.com.au -0;1358008747;16;IT Project Hub Free download of MCA BE BCA MBA MS project for IT Submit Project;itprojecthub.co.in -40;1358007882;8;My first text based kill the dragon game;self.java -0;1357990789;7;Java Mini Projects Free Download 5000 Projects;itprojecthub.co.in -0;1357988225;6;Increase your JSF MyFaces application performance;tandraschko.blogspot.com -0;1357987152;3;Spring Framework Introduction;java9s.com -8;1357983928;8;JSF 2 Custom Scopes without 3rd party libraries;blog.oio.de -28;1357960819;10;Java as a tool to build GUIs is it dead;self.java -5;1357956273;9;Critical Java vulnerability made possible by earlier incomplete patch;arstechnica.com -4;1357945054;12;Testdriving Mojarra 2 2 0 m08 on GlassFish 3 1 2 2;blog.eisele.net -6;1357936758;9;US CERT says everyone should just disable Java now;securityinfowatch.com -5;1357933685;3;College Class Supplement;self.java -9;1357927584;6;Protecting Firefox Users Against Java Vulnerability;blog.mozilla.org -4;1357916297;9;Can people help me wrap my brain around httpclient;self.java -0;1357910599;4;Latest Java being hacked;self.java -10;1357906919;6;Top 5 books on Java programming;javarevisited.blogspot.sg -0;1357905841;8;State of the Maven Java dependency graph RTFB;ogirardot.wordpress.com -25;1357860313;15;US CERT Vulnerability Note VU 625617 Java 7 fails to restrict access to privileged code;kb.cert.org -17;1357857706;9;Your best method of learning AND retaining programming languages;self.java -6;1357857593;15;0 day CVE 2013 0422 1 7u10 spotted in the Wild Disable Java Plugin NOW;malware.dontneedcoffee.com -6;1357853675;7;Reasons to why I m reconsidering JSF;blog.brunoborges.com.br -15;1357840530;6;Critical Java Exploit Spreads like Wildfire;storyfic.com -0;1357822254;8;Hi I need help with a programming assessment;reddit.com -2;1357819897;12;Qualcomm AT amp T and Telit announce support for Java on M2M;terrencebarr.wordpress.com -0;1357819841;7;How to install Scertify Code Eclipse Plugin;tocea.com -7;1357819789;6;2012 Jenkins Survey Results Are In;blog.cloudbees.com -9;1357795533;5;Where when is gcj used;self.java -4;1357774836;5;A Word Wheel Solver Helper;self.java -24;1357773922;13;The curious case of JBoss AS 7 1 2 and 7 1 3;henk53.wordpress.com -3;1357757985;11;Is it possible to make this search multiple districts at once;self.java -0;1357752763;3;interactive comic reader;chjh.eu -3;1357752423;6;Global Tooltips in PrimeFaces 3 5;blog.primefaces.org -10;1357741436;9;Designing an API XML vs JSON round 1 Fight;self.java -0;1357736288;16;Hadoop How To Make Great Big Applications with Great Big Data on Great Surprisingly Affordable Hardware;blog.inetu.net -31;1357736232;9;JSR 335 Lambda Expressions for the Java Programming Language;cr.openjdk.java.net -8;1357736172;13;Don t Test Blindly The Right Methods for Unit Testing Your Java Apps;zeroturnaround.com -2;1357714752;6;Java Database GUI End User help;self.java -2;1357674517;9;JASIG CAS Java Spring Question External Redirects in Handler;self.java -9;1357665852;17;Spring 3 MVC Framework Based Hello World Web Application Example Using Maven Eclipse IDE And Tomcat Server;srccodes.com -8;1357654692;8;An important announcement to the Vert x community;groups.google.com -1;1357654613;9;Another certified Java EE 6 server JOnAS 5 3;jonas.ow2.org -0;1357648743;3;Code review guidelines;insidecoding.wordpress.com -32;1357589496;6;How to improve my Java skills;self.java -1;1357585350;6;Any suggestions for a simple project;self.java -0;1357567218;9;Why do I love Java Developer edition part 2;socialtech101.blogspot.com -19;1357561594;17;accept4j Business friendly acceptance testing tool for Java developed in Groovy Comments contributors and testers very welcome;code.google.com -8;1357539978;5;sshing on windows via java;self.java -0;1357478287;8;ISIS framework for rapidly developing domain driven apps;isis.apache.org -45;1357477906;8;The state of Java according to Oracle developers;oracle.com -12;1357447095;6;Java Far sight look at JDK8;transylvania-jug.org -2;1357446977;5;Implementing Producer Consumer using SynchronousQueue;aredko.blogspot.ie -4;1357446824;6;JAXB Representing Null and Empty Collections;java.dzone.com -2;1357440850;5;JTable with Scrollable Row Header;wiki.javaforum.hu -4;1357396571;7;Beginner Looking for 1 Good Transitional Read;self.java -0;1357340916;5;Java Persistence Performance Got Cache;java-persistence-performance.blogspot.com -0;1357331518;2;Dereference error;self.java -15;1357330987;10;Quick question about java programming ability required for certain jobs;self.java -8;1357314198;7;How to Protect Your APIs with OAuth;blogs.mulesoft.org -0;1357314149;6;A View of Scala from Java;thepolygl0t.blogspot.in -1;1357287685;13;I m doing tutorials with thechernoproject and i need help understanding the code;self.java -14;1357275816;4;Java graphics libraries help;self.java -0;1357264014;12;I need help figuring out if an idea I had is possible;self.java -0;1357256265;19;Is there a java equivalent of the python win32com library that allows visual basic to be written in java;self.java -3;1357252995;5;Text Based Adventure Game Help;self.java -9;1357243810;6;How to parse Json with Java;self.java -4;1357176132;10;Batch Applications in Java EE 7 Understanding JSR 352 Concepts;blogs.oracle.com -126;1357165586;18;I ve spent plenty of time with this book never made the connection with the anteater until now;i.imgur.com -2;1357158313;4;Need help with audio;self.java -4;1357155888;5;Problem understanding arrays of arrays;self.java -1;1357123709;11;Getting a weird error Don t know how to fix it;self.java -8;1357115579;3;JavaFX loves Xtend;koehnlein.blogspot.de -11;1357073017;15;Performance of String equalsIgnoreCase vs String equals if I one of the strings is static;self.java -6;1357068770;9;What is the simplest way to send P2P data;self.java +Score, Timestamp in utc, Number of wrods in title, Title, Domain +9,1429369865,13,Apache Maven JavaDoc Plugin Version 2 10 3 Released Karl Heinz Marbaise 2,maven.40175.n5.nabble.com +32,1429369782,6,Apache Commons Math 3 5 released,mail-archives.apache.org +13,1429369742,8,Apache Fortress Core 1 0 RC40 released RBAC,mail-archives.apache.org +17,1429353784,15,Generate Heroku like random names to use in your Java applications github com atrox haikunatorjava,github.com +4,1429346987,4,How Pattern compile works,self.java +0,1429333506,10,jsoup extract tagged entities from within lt p gt elements,stackoverflow.com +3,1429308638,4,Introduction to OmniFaces presentation,slideshare.net +5,1429302927,14,Anyone know of a good Java library that does efficient intersection operations on SortedSets,self.java +55,1429298310,13,Why is StringBuilder append int faster in Java 7 than in Java 8,stackoverflow.com +47,1429287731,10,Google Chrome dropping support for NPAPI ending Java applet support,blog.chromium.org +21,1429282959,9,Comment from James Gosling on multi language VM 1995,mail.openjdk.java.net +10,1429281132,9,How to make MIDI sound awesome in the JVM,daveyarwood.github.io +83,1429277913,12,Byte code features that are not available in the Java programming language,stackoverflow.com +0,1429277774,4,Your Staging Environment Sucks,blog.takipi.com +2,1429277368,3,Integration test framework,self.java +1,1429272573,5,Getting Rid Of Anonymous Classes,blog.codefx.org +7,1429266262,5,JBoss EAP 6 4 released,access.redhat.com +3,1429266112,3,Introducing WebPageTest mapper,cruft.io +10,1429265731,10,A Look at the Ehcache Storage Tier Model with Offheap,voxxed.com +5,1429263776,4,Baeldung Weekly Review 16,baeldung.com +8,1429258592,4,JSF vs other frameworks,jsf.zeef.com +11,1429258004,5,PrimeFaces Spark Gets New Colors,blog.primefaces.org +1,1429246603,21,Learning Java and trying to finish headfirst by summer July I m looking for a 1 on 1 helper a Sensei,self.java +1,1429224557,43,java I have no programming experience and I am taking an Object Oriented Programming Java class in July What resources are available to me to help me learn as much as I can between now and July to go smoothly into the class,self.java +4,1429224075,7,jackson json pointers aka xpath for json,tools.ietf.org +6,1429219046,9,Programming Design Patterns Tutorial Series X POST r learnprogramming,self.java +107,1429215807,12,Oracle to end publicly available security fixes for Java 7 this month,infoworld.com +5,1429213264,9,4 Worthy Tools For Building iOS Apps in Java,geekswithblogs.net +3,1429209404,22,SimpleFlatMapper v1 8 0 a very fast micro orm csv parser mapper now with Optional Java8 time and static factory method instantiation,github.com +10,1429208592,14,Spring Session 1 0 1 introduces AWS Elasticache Servlet 3 1 2 5 support,spring.io +9,1429208402,5,Hazelcast Simulator 0 4 Released,dzone.com +5,1429201636,2,Copyright question,self.java +20,1429199342,9,The long strange life death and rebirth of Java,itworld.com +18,1429199331,3,Ryan vs James,mountsaintawesome.com +3,1429195118,7,Java 8 Optional Explained in 5 minutes,blog.idrsolutions.com +6,1429195095,10,A beginner s guide to Java Caches Ehcache Hazelcast Infinispan,labs.consol.de +0,1429191706,8,Spring Enable annotation writing a custom Enable annotation,java-allandsundry.com +34,1429189873,4,Human JSON for Java,github.com +1,1429187329,5,Experience with Salesforce REST API,self.java +12,1429184451,4,jClarity Java 9 REPL,jclarity.com +1,1429182871,9,Spring integration Java DSL 1 1 M1 is available,spring.io +7,1429177459,4,KISS With Essential Complexity,techblog.bozho.net +9,1429173051,13,How to debug java applications which may fail during runtime in production environments,self.java +3,1429165619,10,How to Contribute to the Java Platform The Java Source,blogs.oracle.com +1,1429164811,13,OT Does the word Acegi the old name for Spring Securty mean anything,self.java +1,1429136945,9,Rules that can help you write better unit tests,schibsted.pl +0,1429134579,8,Small but useful overview of JAX RS resources,jax-rs.zeef.com +5,1429133011,4,JPA Inheritance Strategies Explained,monkeylittle.com +25,1429125035,7,Why non programmers hate the Java runtime,imgur.com +292,1429120425,6,Java reference in GTA V Beautiful,imgur.com +4,1429118139,8,How to Create and Verify JWTs in Java,stormpath.com +7,1429109253,6,Java CPU and PSU Releases Explained,oracle.com +7,1429104517,7,Most popular Java EE containers 2015 edition,plumbr.eu +11,1429097422,13,No language before or after Java ever abused annotations as much as Java,blog.jooq.org +113,1429085023,14,We analyzed 60 678 Java Library Dependencies on Github Here are the Top 100,blog.takipi.com +6,1429084064,4,Hibernate and UUID identifiers,vladmihalcea.com +2,1429083973,11,Using Apache Kafka for Integration and Data Processing Pipelines with Spring,spring.io +4,1429070871,9,J Compile and Execute Java Scripts in One Go,github.com +4,1429048921,6,Apache Tomcat 7 0 61 released,mail-archives.apache.org +5,1429047999,6,Fast Track D 8 week course,self.java +1,1429042868,9,Spring Technology at Cloud Foundry Summit May 11 12,spring.io +5,1429041882,6,Oracle Critical Patch Update April 2015,oracle.com +73,1429035317,8,Java is back at the top of Tiobe,tiobe.com +8,1429021091,9,Agenda for this weekends free NetBeans Day in Greece,netbeans.dzone.com +0,1429017927,9,College student in need of a Java job Help,self.java +3,1429012469,4,Engineering Concurrent Library Components,youtube.com +9,1429011763,10,How do we access secure web services in Java Program,vinothonsoftware.com +1,1429010860,18,NoCombiner for when you re absolutely certain you don t want to collect reduce a stream in parallel,self.java +0,1429009976,11,jOOQ Tuesdays Vlad Mihalcea Gives Deep Insight into SQL and Hibernate,blog.jooq.org +16,1429009905,5,Result Set Mapping Complex Mappings,thoughts-on-java.org +2,1429008284,11,How to go about this reddit getting spammed with help requests,self.java +14,1429006660,9,Java EE Security API JSR 375 Update The Aquarium,blogs.oracle.com +5,1428986485,7,Key signature detection of an mp3 file,self.java +14,1428954202,9,Spring From the Trenches Returning Runtime Configuration as JSON,petrikainulainen.net +0,1428952664,4,Drag and dropping data,self.java +5,1428940004,15,Version 0 3 of static mustache templating engine with is released Layouts are now supported,github.com +0,1428937602,12,Spring Example Blueprint project that showcases some more advanced features good practices,self.java +13,1428932531,8,A Java EE Startup Getting Lucky With DreamIt,adam-bien.com +9,1428926155,13,Genson 1 3 released Better Json support for Jodatime Scala Jaxb and JaxRS,self.java +28,1428915977,5,PrimeFaces finally moved to GitHub,blog.primefaces.org +5,1428912554,4,Minimalist Java Web Applications,cantina.co +18,1428908203,5,Tips for continuous performance testing,self.java +0,1428894576,4,Trouble getting it Discouraged,self.java +0,1428891440,3,Java game rendering,self.java +5,1428884317,4,hibernate logging with slf4j,self.java +0,1428874572,5,Learn the Basics of Java,youtube.com +2,1428874267,6,Spring Framework Today Past and Future,infoq.com +3,1428874070,7,Java Community Release First OpenJDK Coverage Numbers,infoq.com +63,1428874015,4,Maven Escapes from XML,infoq.com +13,1428873920,7,AssertJ core 2 0 0 testing exceptions,joel-costigliola.github.io +10,1428871386,8,Storytelling with tests 1 test names and granularity,blog.kaczmarzyk.net +0,1428859230,4,Java Game Development Tutorial,youtube.com +0,1428852941,8,Need help with running webapp Willing to pay,self.java +1,1428810377,5,Is Clean Code less Code,journeytomastery.net +21,1428796303,6,CERT Oracle Coding Standard for Java,securecoding.cert.org +4,1428793781,6,Jenkins Security Advisory 2015 03 23,wiki.jenkins-ci.org +1,1428786090,4,Using JSOUP on Amazon,self.java +8,1428770588,6,Admin interface for Spring Boot applications,github.com +6,1428763128,11,Liberty beta includes Java EE 7 full profile nearly done now,developer.ibm.com +98,1428761176,17,A UK university is offering this free online course for learning to program a game in java,futurelearn.com +14,1428694375,5,JSF page templates with Facelets,andygibson.net +2,1428682099,2,GOTO library,self.java +0,1428678809,6,System close with included jar files,self.java +0,1428665744,7,SparkJava Dependency injection in SparkApplication using Spring,deadcoderising.com +2,1428662794,4,Baeldung Weekly Review 15,baeldung.com +0,1428660541,6,SENTIMENT ANALYSIS USING OPENNLP DOCUMENT CATEGORIZER,technobium.com +10,1428658232,6,Getting started with Liberty and Arquillian,developer.ibm.com +8,1428655530,10,Is there a library with a PID controller in Java,self.java +41,1428655020,7,Stock market prediction using Neuroph neural networks,technobium.com +12,1428653081,7,SimpleDateFormat is not parsing the milliseconds correctly,stackoverflow.com +47,1428651658,10,How Spring achieves compatibility with Java 6 7 and 8,spring.io +5,1428607477,6,JSF 2 3 milestone 2 released,java.net +90,1428599706,5,Jenkins says Good bye Java6,jenkins-ci.org +3,1428599034,8,How does Hibernate store second level cache entries,vladmihalcea.com +1,1428587411,13,CDI Properties is now more flexible and production ready v1 1 1 released,github.com +2,1428585594,9,Top 10 Open Source Java and JavaEE Application Servers,blog.idrsolutions.com +57,1428575462,16,Is Spring the de facto web framework for Java What alternatives are there Pros and cons,self.java +8,1428574106,6,Writing Clean Tests Small Is Beautiful,petrikainulainen.net +1,1428550116,5,Minimal Java to Swift converter,self.java +5,1428542422,8,thundr a lightweight cloud friendly java web framework,3wks.github.io +26,1428516131,4,Minimalist java web applications,cantina.co +2,1428505365,6,Maven plugin to support versioning policy,github.com +1,1428503767,6,Keeping code synced across different computers,self.java +3,1428502424,8,Spring Boot Support in IntelliJ IDEA 14 1,youtube.com +0,1428497733,5,Debug java application in eclipse,youtube.com +14,1428495980,5,Complete Android Apps on github,self.java +9,1428492415,8,Eclipse Java compiler released for iPhone and iPad,self.java +0,1428491675,3,StringBuilder and StringBuffer,self.java +98,1428490616,6,Top 5 Useful Hidden Eclipse Features,blog.jooq.org +10,1428487777,5,Pippo Micro Java Web Framework,self.java +2,1428482838,13,Working on Effective Java a tool to measure and explore your Java codebase,tomassetti.me +14,1428480483,5,PrimeFaces 5 2 Final Released,blog.primefaces.org +0,1428479182,6,Tips and tricks using Oracle Apps,oracleappstoday.com +4,1428474682,10,Java ME 8 Raspberry Pi Sensors IoT World Part 1,oracle.com +0,1428474471,14,Java Weekly 15 15 GC tuning HTTP2 good Javadoc MVC 1 0 early draft,thoughts-on-java.org +2,1428450220,29,Little known real time standard impacts broad span of Java applications RTSJ 2 0 promises to enable type safe device access advanced scheduling and more even beyond RT world,javaworld.com +113,1428437516,17,In the world of Internal Server Error this is the most beautiful thing I have ever seen,i.imgur.com +1,1428436749,6,Sublime Text 3 Running and Compiling,self.java +3,1428423729,16,My Weekly Review Testing and Spring goodness as well as some musings about introversion and leadership,baeldung.com +2,1428418704,12,All about Oracle Cloud PaaS and IaaS to rapidly build rich apps,oracle-cloud.zeef.com +0,1428410737,10,How to Avoid the Dreaded Dead Lock when Pessimistic Locking,blog.jooq.org +0,1428407132,7,Get username of those who last committed,stackoverflow.com +0,1428406799,10,Not able to execute the java class files in ubuntu,stackoverflow.com +8,1428398570,4,JPA Result Set Mappings,thoughts-on-java.org +1,1428397303,2,group project,self.java +5,1428396645,5,ECMAScript 6 compiler and runtime,github.com +0,1428396307,8,Timeout policies for EJBs how do they help,self.java +6,1428395105,5,Develop a simpele OSGi application,www-01.ibm.com +53,1428390843,7,Java 8 Concurrency Tutorial Threads and Executors,winterbe.com +0,1428387456,16,Wouldn t it be nice if Java had native XML HTML support similar to React js,self.java +11,1428385073,15,Immutables release 2 0 A leap ahead of similar solutions for immutable objects and builders,immutables.github.io +0,1428356574,13,Lattice and Spring Cloud Resilient Sub structure for Your Cloud Native Spring Applications,spring.io +0,1428354757,9,distributed ehcache batched replication across WANs using SNS SQS,github.com +48,1428345699,6,Upgrading to Java 8 at Scale,product.hubspot.com +45,1428330436,13,7 Things You Thought You Knew About Garbage Collection and Are Totally Wrong,blog.takipi.com +3,1428328805,17,Ideas So I have a good amount of web page data What should I do with it,self.java +21,1428326864,8,Architecting Large Enterprise Java Projects by Markus Eisele,zeroturnaround.com +9,1428307292,10,Spring from the Trenches Injecting Property Values Into Configuration Beans,petrikainulainen.net +20,1428305473,10,Hibernate ORM 5 0 0 Beta1 released but nothing new,in.relation.to +5,1428291517,13,Is that Googlebot user agent really from Google New Java library to verify,flowstopper.org +1,1428247390,23,What does it take to parse an inorder expression to preorder and postorder and vice versa Also how to make an expression tree,self.java +66,1428223660,16,To contribute to this code it is strictly forbidden to even look at the source code,self.java +3,1428163919,8,Are there any Hadoop plugins available for Netbeans,self.java +5,1428150621,8,java util logging Example Examples Java Code Geeks,examples.javacodegeeks.com +8,1428147245,10,Apache Mavibot 1 0 0 M7 MVCC B tree implementation,mail-archives.apache.org +7,1428147176,7,HttpComponents Client 4 4 1 GA Released,mail-archives.apache.org +12,1428139539,6,Where to find educational Java posters,self.java +0,1428106807,10,How do I install Java without third party sponsor offers,java.com +454,1428103376,4,Guys I found it,imgur.com +26,1428084751,14,I m porting Java exercises to exercism io anyone care to help us out,github.com +13,1428075406,7,RoboVM Intellij IDEA Android Studio plugin released,robovm.com +5,1428071742,37,Is it possible to create a maven plugin custom class implementing the same interfaces as JDefinedClass JFieldVar and JMethod in order to support demarshalling an xsd to an Android POJO by replacing JAXB annotations with SimpleXML annotations,self.java +0,1428061375,8,1 Way Messaging Systems actors are NOT MAINTAINABLE,self.java +17,1428044132,6,PrimeFaces Spark Layout and Theme Released,primefaces.org +0,1428031239,8,Spring Boot Dependency Injection Into External Library Project,recursivechaos.com +1,1428030187,4,Question about SE Certifications,self.java +90,1427998309,9,Java VM Options You Should Always Use in Production,blog.sokolenko.me +2,1427989780,5,A Java 8 parallel calamity,coopsoft.com +26,1427984034,13,Java Performance Tuning How to Get the Most Out of Your Garbage Collector,blog.takipi.com +12,1427981719,5,Java security driving me insane,self.java +0,1427979506,8,Basic java tutorials uni student struggling with concepts,self.java +6,1427978177,5,Educational Software made with Java,self.java +10,1427977044,10,How Java EE translates web xml constraints to Permission instances,arjan-tijms.omnifaces.org +19,1427956471,7,An in depth overview of HTTP 2,undertow.io +7,1427956195,5,Java Weekly April Fools Edition,thoughts-on-java.org +38,1427955312,5,Architecting Large Enterprise Java Projects,blog.eisele.net +15,1427948605,8,Reasons Tips and Tricks for Better Java Documentation,zeroturnaround.com +2,1427934990,7,Streaming Spring and Hibernate dev for DevWars,self.java +2,1427930260,5,Help getting back into it,self.java +6,1427923823,7,How Can You Become a Java Champion,javaspecialists.eu +31,1427913927,5,Java 8 functional programming book,self.java +9,1427908457,6,RichFaces 4 5 4 Final released,developer.jboss.org +9,1427902920,20,Why Netty makes you do reference counting for ByteBuffers Isn t it supposed to be single threaded through Java NIO,netty.io +21,1427881990,11,Orbit Framework from EA and Bioware for large scalable online services,orbit.bioware.com +5,1427881249,6,ZipRebel Download the Internet in Milliseconds,zeroturnaround.com +21,1427880728,13,Don t be Fooled by Generics and Backwards Compatibility Use Generic Generic Types,blog.jooq.org +3,1427877629,12,Build a Java 3 tier application from scratch Part 3 amp 4,janikvonrotz.ch +4,1427877234,15,Getting started with Spark it is possible to create lightweight RESTful application also in Java,tomassetti.me +1,1427873515,8,SELECT statements batch fetching with JDBC and Hibernate,vladmihalcea.com +80,1427868369,11,Top 20 Online Resources to Boost Up your Java Programming Skill,simplilearn.com +11,1427821969,4,JavaLand 2015 Wrap Up,weblogs.java.net +12,1427820983,6,gradle release Release plugin for Gradle,github.com +14,1427818574,9,JSR 371 Model View Controller 1 0 First Draft,jcp.org +18,1427817778,10,Apache jclouds 1 9 released the Java multi cloud toolkit,jclouds.apache.org +14,1427815940,12,A fluent Java 8 interface to the Pivotal Tracker API seeking contributors,github.com +3,1427815506,13,I have been working on and off to create this limited feature game,youtube.com +14,1427813489,4,Stream Processing Using Esper,hakkalabs.co +10,1427809292,20,JavaLand 2015 result JavaFX 3d mosaic for dailyfratze de using Flyway jOOQ H2 JavaFX and the CIE94 color distance algorithm,info.michael-simons.eu +5,1427797324,8,Java 8 Consumer Supplier Explained in 5 minutes,blog.idrsolutions.com +5,1427792442,10,A Java EE 7 Startup Virtualizing Services with hubeo com,adam-bien.com +32,1427789071,12,Build a Java 3 tier application from scratch Part 2 Model setup,janikvonrotz.ch +7,1427787380,13,Has anyone successfully build Bruce Eckels Thinking in java 4th Edition using Eclipse,self.java +4,1427786182,4,Microservices Monoliths and NoOps,blog.arungupta.me +2,1427783537,11,Free JPA 2 1 Cheat Sheet by Thorben Janssen The Aquarium,blogs.oracle.com +16,1427772872,9,What other java community news type sites are there,self.java +5,1427752897,10,A memory leak caused by dynamic creation of log4j loggers,korhner.github.io +2,1427749046,11,JSF 2 2 Input Output JavaLand 2015 presentation by Ed Burns,reddit.com +1,1427748262,8,New book Web Development with Java and JSF,blogs.oracle.com +4,1427741117,9,Jackson module for model without default constructors and annotations,github.com +3,1427740598,7,Extending NetBeans with Nashorn Geertjan s Blog,blogs.oracle.com +26,1427733615,4,Microtyping in Java revisited,michael-snell.com +7,1427729109,4,JSF standard converters example,examples.javacodegeeks.com +32,1427729030,5,My Trip to JavaLand 2015,thoughts-on-java.org +6,1427728896,4,Developing applications using ICEfaces,genuitec.com +6,1427727890,5,Database Schema Migration for Java,java-tv.com +8,1427727702,11,Handling 10k socket connection on a single Java thread with NIO,coralblocks.com +4,1427723994,6,Infusing Java into the Asciidoctor Project,voxxed.com +12,1427719572,10,While You Were Sleeping The Top New Java 8 Additions,blog.takipi.com +5,1427717418,7,Lightweight Metrics for your Spring REST API,baeldung.com +17,1427715582,4,Future proofing Java objects,jacek.rzrz.pl +0,1427686435,14,Why do companies make apps in Java when it could be made in HTML,self.java +2,1427666757,14,Why You Should Care About the Java EE Management API 2 0 JSR 373,voxxed.com +1,1427666708,14,Maven Plugin Generate SoftWare IDentification SWID Tags according to ISO IEC 19770 2 2009,github.com +9,1427662594,8,How to OAUTH 2 0 With Spring Security,aurorasolutions.io +99,1427652244,10,I love documenting code Is this an actually useful skill,self.java +11,1427639821,8,Apache Maven Compiler Plugin Version 3 3 Released,mail-archives.apache.org +18,1427639750,6,Apache Tomcat 8 0 21 available,mail-archives.apache.org +8,1427639679,6,Apache PDFBox 1 8 9 released,mail-archives.apache.org +2,1427629143,12,Can you recommend any resources website in which I can practice OOP,self.java +29,1427606855,30,Brand new to programming 4 weeks and just finished my first program I don t hate with Java Swing I call it Calculator 2 0 Can I get some feedback,github.com +8,1427561486,23,Currently learning Java EE but how much into JavaScript should I learn if I don t want to be focused in front end,self.java +0,1427553410,7,JAXB Is Doing It Wrong Try Xembly,yegor256.com +3,1427551556,7,How to batch DELETE statements with Hibernate,vladmihalcea.com +4,1427551143,8,Being Functional with Java 8 Interfaces and JRebel,zeroturnaround.com +4,1427550805,14,Why You Should Care About the Java EE Management API 2 0 JSR 373,voxxed.com +8,1427485244,7,Build scalable feeds with GetStream and Java,github.com +0,1427482789,7,How to build a simple stack machine,unnikked.ga +0,1427471086,7,what level of programmer is this guy,self.java +0,1427470026,7,What s new in Spring Data Fowler,spring.io +9,1427468640,13,JBoss releases first beta of their beta AS WildFly 9 0 0 Beta1,developer.jboss.org +138,1427461508,12,Error Prone Google library to catch common Java mistakes at compile time,errorprone.info +3,1427461251,17,Sneak a peak at Vert x 3 0 and try out milestone 3 xpost from r vertx,vert-x3.github.io +11,1427443176,4,GUI Builders Good Bad,self.java +11,1427422973,6,Eclipse What are your favorite HotKeys,self.java +4,1427417803,11,Have you ever been part of an in office coding contest,self.java +7,1427407057,9,When should I used the DAO Impl design pattern,self.java +0,1427406199,16,Spring XD 1 1 1 adds Kafka manual acking improved perf amp Spark streaming reliable receiver,spring.io +5,1427395259,8,Websphere MQ JBoss EAP 6 integration via JCA,gautric.github.io +43,1427395074,11,If programming didn t pay well would you still do it,self.java +5,1427393336,8,Monitor Wildfly JBoss Server Stats through Google Analytics,self.java +24,1427382684,13,Spring Security 4 0 0 adds websocket Spring Data and better testing support,spring.io +6,1427381812,9,Spring Integration Kafka Support 1 1 GA is available,spring.io +0,1427377576,11,The top 11 Free IDE for Java Coding Development amp Programming,blog.idrsolutions.com +3,1427377087,6,REST API documentation generator for Java,miredot.com +0,1427373000,7,Getting tomcat amp httpd to play nice,self.java +15,1427367837,7,IntelliJ IDEA Live Templates for Unit Testing,vansande.org +0,1427351309,6,Microsoft Visual Studio 13 Compiling Java,self.java +16,1427333005,10,Anyone know how to get rid of this in eclipse,self.java +2,1427312270,7,Azul Systems Unveil New Clone Zulu Embedded,voxxed.com +10,1427305911,11,New Liberty features for Java EE 7 plus Java 8 support,developer.ibm.com +1,1427296409,4,Reactive Java Use Cases,self.java +0,1427296360,6,Down with Java Up with Lua,self.java +0,1427289775,34,What s the easiest way to generate basic CRUD functionality with a web front end and a MySQL backend Ex create edit delete search a simple Entity like Person with firstName lastName emailAddr cellPhoneNumber,self.java +2,1427287251,17,Is it a good idea to split the login from the application as a separate WAR file,self.java +0,1427279051,16,Java 1 7 0 55 SSL Cert Errors SSL CA Cert is in the Browser Keystore,self.java +16,1427276418,40,As a developer I find writing functional tests even using such great frameworks as Geb and Spock painstakingly boring Especially for lengthy scenarios How do you guys cope with this Is there a way to make this task not boring,self.java +2,1427272022,4,Performance monitoring tool recommendations,self.java +102,1427270492,10,Java 8 API by Example Strings Numbers Math and Files,winterbe.com +2,1427248844,5,Protected Static Possible use cases,self.java +0,1427246378,6,Best online tool to learn java,self.java +1,1427241489,6,Using makers to create clear tests,samatkinson.com +11,1427232275,18,Java The once and future king of Internet programming Internet of Things a natural home for Java work,javaworld.com +11,1427215957,9,Building an extensible HTTP client for GitHub in Java,clever-cloud.com +0,1427214895,7,jOOQ vs Hibernate When to Choose Which,blog.jooq.org +2,1427208363,7,Opensource Tibco RV alternative with Java support,self.java +144,1427204853,5,IntelliJ IDEA 14 1 Released,blog.jetbrains.com +7,1427200673,7,Philips eXp5371 Java enabled Gaming CD Player,mobilemag.com +17,1427194630,8,Why Bet365 swapped Java for Erlang Information Age,information-age.com +0,1427178219,8,Vaadin how to solve the slow rendering problem,self.java +21,1427169838,2,JavaLand 2015,self.java +16,1427162513,4,Java code certificate questions,self.java +1,1427161066,20,Can I use two different GUIs StudentGUI and InstructorGUI both being clients to communicate through a server with Socket Programming,self.java +13,1427151849,6,Resources For Data Structures Practice Problems,self.java +9,1427139052,12,Java Weekly 13 15 JCache RESTful conversations Java EE Management and more,thoughts-on-java.org +1,1427133156,9,How to add local IP to exception site list,self.java +2,1427132926,16,Multiple UI Applications and a Gateway Single Page Application with Spring and Angular JS Part VI,spring.io +8,1427130565,10,Good idea to choose WebSphere for a new JEE project,self.java +32,1427129597,7,Oracle Java Mission Control The Ultimate Guide,blog.takipi.com +13,1427127962,11,Dealing with a open source project maintainer who refuses to communicate,self.java +4,1427125041,19,Write webapp once run it on any platform such as Servlet Netty Grizzly Vert x Play and so on,cettia.io +6,1427095980,12,Java Weekly 13 15 JCache RESTful conversations Java EE Management and more,thoughts-on-java.org +1,1427090041,5,Audit4j 2 3 1 Released,audit4j.org +6,1427073875,5,Dropwizard MongoDB and Gradle Experimenting,javacodegeeks.com +49,1427044610,8,How does Oracle Labs new JIT compiler work,youtube.com +4,1427039451,8,Apache Batik 1 8 Released CVE 2015 0250,mail-archives.apache.org +2,1427039225,7,HttpComponents Core 4 4 1 GA released,mail-archives.apache.org +73,1427004884,4,The snootiness of programmers,self.java +38,1426989677,8,JBake a Java based static site blog generator,jbake.org +2,1426984604,13,What do you consider to be the best resource to learn JAX RS,self.java +2,1426976017,11,Is there interest in an EventBus that doesn t use reflection,self.java +4,1426975404,5,Java web framework online lectures,self.java +14,1426974663,5,Java web framework like Django,self.java +3,1426960212,5,Bash Pipes vs Java Streams,github.com +34,1426955559,7,Does anybody using OpenJDK 8 in production,self.java +3,1426948983,36,Hi r java I ve halted development on an open source side project for image and video frame filtering on Android Would anybody use this If there s interest I ll continue development and release it,github.com +3,1426938371,8,Java 8 20 Date and Time API Examples,javarevisited.wordpress.com +7,1426931412,13,Show r java semantic amp full text code search for Java GitHub repos,sourcegraph.com +0,1426917696,7,Book recommandations BOOKS BOOKS AND MORE BOOKS,self.java +73,1426875488,20,The company I m at wants to do a complete upgrade from Java 6 Should I propose 7 or 8,self.java +3,1426865502,6,Spock by Example Introducing the Series,eclipsesource.com +15,1426863937,4,From Python to Java,self.java +0,1426850216,5,Java Cloneable critique discussion time,self.java +24,1426846040,8,JDK 9 Compiler support for private interface methods,mail.openjdk.java.net +19,1426844582,7,Did AngularJS borrow some concepts from JSF,maxkatz.org +2,1426836508,12,Recording and slides of Graal tutorial Compiler written in Java for JavaBytecode,mail.openjdk.java.net +6,1426829281,7,Critique time Java 8 Optional and chaining,self.java +17,1426813441,4,Java 9 and Jigsaw,self.java +4,1426812062,11,jPopulator a handy tool to populate Java Beans with random data,github.com +19,1426808237,7,Java EE authorization JACC revisited part III,arjan-tijms.omnifaces.org +46,1426802658,9,Ever heard of Selenium Check out this Java Tutorial,airpair.com +4,1426801477,4,Java projects for resume,self.java +4,1426782874,13,Optional in Java Why it can shield but not save you from null,michael-snell.com +5,1426781201,3,JavaScript to Java,self.java +5,1426773152,13,Java AOT compiler Excelsior Jet charity bundle is back starting at US 10,self.java +1,1426768311,7,The dark side of Hibernate AUTO flush,vladmihalcea.com +20,1426766616,11,Jackdaw is a Java Annotation Processor which allows to simplify development,github.com +94,1426764988,7,Java 9 will be lightweight and modular,in.techradar.com +13,1426763659,15,Why we are abandoning ImageIO and JAI for Image support in our commercial Java code,blog.idrsolutions.com +0,1426731729,7,How would you implement this Java class,self.java +1,1426719910,10,Spring Boot Support in Spring Tool Suite 3 6 4,spring.io +0,1426716853,9,Apache Maven JavaDoc Plugin Version 2 10 2 Released,mail-archives.apache.org +15,1426716530,4,Maven 3 3 1,maven.apache.org +0,1426713873,6,Jetty 9 2 10 v20150310 Released,dev.eclipse.org +1,1426713770,18,Netty Three releases a day 5 0 0 Alpha2 4 1 0 Beta4 and 4 0 26 Final,netty.io +18,1426713626,6,Apache Camel 2 15 0 released,mail-archives.apache.org +4,1426713037,4,Convert PDF to excel,self.java +0,1426708940,4,Java Hashmap quick question,self.java +2,1426699819,10,Async Goes Mainstream 7 Reactive Programming Tools You Must Know,blog.takipi.com +10,1426698923,6,Turning on GC logging at runtime,plumbr.eu +12,1426698812,9,Using JASPIC to secure a web application in GlassFish,voxxed.com +8,1426698684,7,Top tips and links for JSF developers,codebulb.ch +9,1426696639,12,JSF 2 3 now supports Map in ui repeat and h dataTable,jdevelopment.nl +79,1426690786,5,r java hits 40K subscribers,redditmetrics.com +3,1426684271,6,What Lies Beneath OpenJDK PDF slides,java.net +13,1426680701,7,Java 8 Functional Interfaces and Checked Exceptions,codingjunkie.net +79,1426677823,29,What GUI library for java do you or most people use these days Im still using swing with netbeans am I outdated Couple newbie questions for you awesome programmers,self.java +3,1426675209,9,How to batch INSERT and UPDATE statements with Hibernate,vladmihalcea.com +4,1426674123,4,JPA Database Schema Generation,radcortez.com +3,1426668641,7,Testing your Spring Boot application with Selenium,g00glen00b.be +18,1426665576,5,Primitives in Generics part 2,nosoftskills.com +2,1426653046,8,Luciano Fiandesio VIM configuration for happy Java coding,lucianofiandesio.com +5,1426631569,10,What are the best Spring in person paid courses training,self.java +12,1426631408,5,RebelLabs Java Performance Survey 2015,rebellabs.typeform.com +0,1426612348,22,I have a selenium screenshotting java file that I want to make more central to distribute across the company for usage help,self.java +9,1426606646,11,Free O Reilly Microservices eBook Migrating to Cloud Native Application Architecture,pivotal.io +0,1426604327,3,Eclipse or Intellij,self.java +2,1426593844,6,OkHttp 2 3 has HTTP 2,publicobject.com +1,1426585180,12,Suggest any project ideas to implement using Java springs and hibernate framework,self.java +135,1426560413,4,Java Forever And Ever,youtube.com +7,1426558239,6,jexer Pure Java Turbo Vision lookalike,github.com +7,1426545748,5,Apache JMeter 2 13 released,mail-archives.apache.org +4,1426542461,13,Java Weekly 12 15 CDI templating in MVC Keycloak recorded sessions and more,thoughts-on-java.org +16,1426537759,13,How do I implement an AJAX based polling on a web application efficiently,self.java +49,1426517007,10,The decline of Java application servers when using Docker containers,medium.com +0,1426504640,9,Externalizable interface and its implementation in Java with Example,codingeek.com +17,1426500806,4,Flyway 3 2 released,flywaydb.org +0,1426496256,9,Would you call Spring Security a type of AOP,self.java +3,1426494172,11,How to Convert Word to PDF in Java with Free tools,docmosis.com +9,1426492074,6,Avoiding Null Checks in Java 8,winterbe.com +4,1426483887,18,Prior to java 8 was the reflection API essentially the way you d be able to implement callbacks,self.java +3,1426456513,4,Remote programming on android,self.java +67,1426443682,10,What are good coding practices that you wish everyone used,self.java +10,1426416132,3,Tuning Java Servers,infoq.com +17,1426410986,5,Java Checked vs Unchecked Exceptions,jevaengine.com +1,1426362888,8,Release Notes for XWiki 7 0 Milestone 2,xwiki.org +22,1426355655,5,There can be only one,michael-snell.com +57,1426353799,7,Maven s Inflexibility Is Its Best Feature,timboudreau.com +3,1426352424,10,What would you choose between JavaFX 8 and NetBeans RCP,self.java +1,1426305452,15,Google WindowBuilder Does a system require the plugin to run an application developed using WindowBuilder,self.java +35,1426290770,7,Simplifying class instance matching with java 8,onoffswitch.net +1,1426282272,7,What practical programs exercises should I do,self.java +0,1426271984,9,MVC vs JSF a bit of a different perspective,weblogs.java.net +11,1426270108,11,Liberty EE 7 March 15 beta now supports JSF 2 2,developer.ibm.com +59,1426251505,6,10 Java Articles Everyone Must Read,blog.jooq.org +6,1426246261,4,Baeldung Weekly Review 11,baeldung.com +50,1426236994,14,NetBeans have updated their Tutorials Guides and Articles something for both beginners and Experts,netbeans.org +31,1426202802,10,How useful are abstract classes now that interfaces have defaults,self.java +2,1426180082,3,BenchmarkSQL for Firebird,firebirdnews.org +21,1426172511,5,JBoss PicketLink or Apache Shiro,self.java +1,1426169354,7,Exploring the Start Page in NetBeans IDE,blog.idrsolutions.com +9,1426127537,4,Book for Learning Java,self.java +9,1426119030,13,The most popular Java EE servers in 2014 2015 according to OmniFaces users,arjan-tijms.omnifaces.org +0,1426110470,10,How do I get the Ask toolbar when installing Java,self.java +3,1426108399,5,Best Book for programming newbies,self.java +2,1426102658,7,Optimizer for Eclipse for Slow Eclipse installations,zeroturnaround.com +21,1426098155,9,ZeroTurnaround Kick Things Up on Eclipse with Free Optmiser,voxxed.com +59,1426097044,19,RoboVM 1 0 released write native iOS apps in Java Scala Kotlin share code with Android and your backend,robovm.com +17,1426096359,7,SceneBuilder 8 0 0 installers available Gluon,gluonhq.com +5,1426081225,5,Getting Java Event Notification Right,codeaffine.com +0,1426061800,8,What we learnt about Spring while developing Quizzie,blog.ninja-squad.com +189,1426054829,13,Came across this repository It includes examples and documentation about Java design patterns,github.com +21,1426052073,6,Free Java Game Dev Tutorials ongoing,youtube.com +2,1426049874,8,How good can video games get using java,self.java +4,1426027505,6,Drools 6 2 0 Final Released,blog.athico.com +11,1426025668,8,Apache Maven Jar Plugin Version 2 6 Released,markmail.org +27,1425998578,12,OptaPlanner 6 2 0 Final released giant leap for vehicle routing scalability,optaplanner.org +9,1425997083,5,PrimeFaces Sentinel Live Preview Demo,blog.primefaces.org +16,1425994972,6,The Java Legacy is Constantly Growing,blog.jooq.org +19,1425989732,9,How to activate Hibernate Statistics to analyze performance issues,thoughts-on-java.org +27,1425979532,9,Java EE Security API JSR 375 Update The Aquarium,blogs.oracle.com +0,1425979480,15,Java Basic Data Types Java Basic Data Types Tutorials 2015 Primitive Data Types in JAVA,youtu.be +2,1425978636,9,Using Spring Data Crate with your Java REST Application,crate.io +5,1425975725,3,Spring Boot downsides,self.java +9,1425940483,7,JavaFX links of the week March 9,fxexperience.com +6,1425932183,9,Questions about Vaadin coming from a full stack developer,self.java +18,1425929008,9,Java IO Benchmark Quasar vs Async ForkJoinPool vs managedBlock,blog.takipi.com +3,1425928991,4,Jenkins in a Box,supposed.nl +0,1425928341,6,Question about University College Programming Courses,self.java +3,1425923897,15,Professional devs how much programming knowledge did you have before you got your first job,self.java +12,1425921920,9,Screencast Up amp Running with Comsat Dropwizard and Tomcat,blog.paralleluniverse.co +8,1425916026,21,I m planning to learn a Java web framework and I m complete noob about the ecosystem What would you recommend,self.java +55,1425915085,6,Is there a better looking javadoc,self.java +9,1425913522,14,Java Weekly 11 15 Java Money REST API evolution CDI 2 0 and more,thoughts-on-java.org +0,1425908471,10,uniVocity parsers 1 4 0 released with even more features,univocity.com +25,1425895918,43,I had left the Java world behind since 2010 and I am about to join a new Java project soon that is mainly based on the Spring Framework How popular is Spring these days Career wise does it still worth investing in it,self.java +6,1425892664,6,RichFaces 4 5 3 Final released,developer.jboss.org +6,1425889927,7,How to test Collection implementations with Guava,blog.codefx.org +61,1425877261,14,Dropwizard is a Java framework for developing ops friendly high performance RESTful web services,dropwizard.io +3,1425871678,8,Recommended code generation tools for Bean DTO mappings,self.java +11,1425842898,9,Getting Started with Gradle Creating a Web Application Project,petrikainulainen.net +13,1425823023,6,Composite Decorators aka decorator pattern rocks,yegor256.com +52,1425819815,10,Implementing a world fastest Java int to int hash map,java-performance.info +16,1425818518,9,Streamable is to Stream as Iterable is to Iterator,self.java +30,1425808854,4,Java Development without GC,coralblocks.com +0,1425773093,11,Is it just me or is the JavaFX scene builder shit,self.java +1,1425762068,14,How to make a 2D game for Android Episode 5 Using ArrayList and Paint,youtube.com +36,1425746681,25,It appears as though I have landed my first java web services development job What are some tools libraries APIs that are a must have,self.java +1,1425731811,8,Adding Mnemonic and Accelerator to Menuitem JMenuItem Swing,java2s.com +14,1425724919,5,Maven multi module release plugin,danielflower.github.io +6,1425723984,7,Visualizing CDI dependency graphs with Weld Probe,blog.eisele.net +4,1425680208,5,Is OCAJP good for starter,self.java +6,1425679033,3,Release Notes Dropwizard,dropwizard.io +7,1425673175,10,JSF 2 3 now supports Iterable in UIData amp UIRepeat,jdevelopment.nl +0,1425668996,12,How to make a 2D game for Android Episode 4 The Player,youtube.com +0,1425668379,13,How to make a 2D game for Android Episode 2 The Game Loop,youtube.com +8,1425666256,9,Name Munging camelCase to underscore_separated etc for Java 8,github.com +3,1425661801,9,Style poll private static final LOG log or logger,self.java +83,1425660487,12,Oracle now bundling Ask com adware with Java for Mac Linux next,macrumors.com +0,1425660149,12,Need some way to share code and not have it be copied,self.java +1,1425647529,4,Enumerating NamedQuery within NamedQueries,davidsalter.com +7,1425646243,4,50 Shades of TomEE,tomitribe.com +7,1425640832,9,Apache Spark as a no single point of failure,self.java +12,1425617201,14,How to make a 2D game in Android Episode 1 Setting up Android Studio,youtube.com +1,1425612225,4,Java XML based framework,self.java +1,1425610954,8,Convert java program to javascript for a webapp,self.java +1,1425605827,4,Eclipse exporting a jar,self.java +83,1425604118,10,Now MacJava Users Can Have an Ask Toolbar from Oracle,zdnet.com +8,1425600330,6,java net website being ridiculously slow,self.java +0,1425589114,13,Criteria Update Delete The easy way to implement bulk operations with JPA2 1,thoughts-on-java.org +6,1425588860,5,BootsFaces 0 6 5 released,beyondjava.net +1,1425588790,9,Difference between interfaces and abstract classes pre java 8,programmerinterview.com +1,1425578989,5,Caching hashcode Good or bad,self.java +3,1425578396,7,How to deal with subprocesses in Java,zeroturnaround.com +14,1425565605,9,Implementing a 30 day trial for a Java library,self.java +10,1425559239,8,Java 8 Repeating Annotation Explained in 5 minutes,blog.idrsolutions.com +33,1425548719,13,Oracle s piping hot new pot of Java takes out the trash faster,theregister.co.uk +29,1425544593,8,Fixing Java 8 Stream Gotchas with IntelliJ IDEA,winterbe.com +8,1425544034,10,A beginner s guide to JPA and Hibernate Cascade Types,vladmihalcea.com +0,1425540068,9,Execute code on webapp startup and shutdown using ServletContextListener,deadcoderising.com +17,1425517349,5,How did you learn Java,self.java +2,1425506685,10,Java workflow engine how to build a user defined workflow,self.java +7,1425506649,5,A Simple Java Incremental Builder,github.com +6,1425497079,7,constant java version upgrades for server app,self.java +1,1425496474,9,Spring Cloud 1 0 0 delivers infrastructure for microservices,spring.io +4,1425485468,19,Are lambdas in Java a preference for a minority of developers or are they going to be the norm,self.java +9,1425482521,10,Package your Java EE application using Docker and Kubernetes VirtualJUG,virtualjug.com +1,1425482435,5,The Live Reflection Madness VirtualJUG,virtualjug.com +9,1425477675,5,Prevent Brute Force Authentication Attempts,baeldung.com +43,1425473873,9,How to Map Distinct Value Types Using Java Generics,codeaffine.com +22,1425473070,15,Go for the Money JSR 354 Adds First Class Money and Currency Support to Java,infoq.com +17,1425472984,7,JBoss has started a JBoss Champions program,jboss.org +19,1425467164,12,Resource Handling in Spring MVC 4 1 x post from r springsource,spring.io +6,1425465677,2,TrueVFS Tutorial,truevfs.java.net +4,1425464086,7,Tutorial The JSR 203 file attribute API,codementor.io +14,1425454935,8,CDI 2 0 A glimpse at the future,cdi-spec.org +1,1425441648,5,Any success stories with RoboVM,self.java +4,1425436404,7,Java Tip Retrying operation with Guava Retrying,ashishpaliwal.com +1,1425434615,12,Beginner looking for an example for a function in purpose of understanding,self.java +4,1425422714,12,Core Java J2EE Spring Hibernate JAX RS EJB Tutorials powered by FeedBurner,feeds.feedburner.com +2,1425420690,6,Apache Archiva 2 2 0 Released,mail-archives.apache.org +33,1425381256,3,REST API Evolution,radcortez.com +10,1425362188,7,SO Why are Java Streams once off,stackoverflow.com +8,1425360883,7,JBoss Tools Docker and WildFly Part 1,tools.jboss.org +31,1425347584,3,Why Non Blocking,techblog.bozho.net +5,1425346205,13,To those of you who program Java for a living how is it,self.java +2,1425329438,6,The Portable Cloud Ready HTTP Session,spring.io +6,1425328872,8,SimpleFlatMapper Jdbc mapping now support 1 n relationship,github.com +9,1425320459,13,Java Weekly 10 15 Java Threads lock modes JAX RS caching and more,thoughts-on-java.org +4,1425319887,18,Best book for Java Collections I struggle with figuring out whats the best mechanism for holding multiple objects,self.java +4,1425319369,6,Java Bootstrap Dropwizard vs Spring Boot,blog.takipi.com +56,1425318760,9,Story of a Java 8 Compiler Bug JDK 8064803,blog.dogan.io +47,1425317827,11,SmileMiner A Java library of state of art machine learning algorithms,github.com +8,1425315436,3,Optional ifPresent otherwise,self.java +36,1425306536,10,Head of Groovy Project Guillaume Laforge Joining API Platform Restlet,restlet.com +14,1425304309,12,Why I Am Excited About JDK 8 Update 40 Geertjan s Blog,blogs.oracle.com +0,1425288508,4,removing java deployment rule,self.java +1,1425270832,10,Tool to bulk import large amounts of files into S3,github.com +19,1425266427,7,Google Doc Analog for live editing code,self.java +23,1425252259,19,Easy Batch 3 0 is finally out Check it out and give us your feedback we need your help,easybatch.org +5,1425239709,10,Remove JPA annotations before building JAR for 3rd party use,self.java +26,1425225084,6,Apache POI 3 12 beta1 released,mail-archives.apache.org +8,1425204884,8,How to shoot yourself in foot with ThreadLocals,javacodegeeks.com +2,1425179441,2,Help needed,self.java +17,1425178364,21,Spring Framework Have you ever had to implement the BeanNameAware interface in your applications Why was it needed to do so,self.java +30,1425161077,7,Any good libraries for reading mp3 files,self.java +0,1425160650,4,Best book for beginners,self.java +5,1425155792,13,CVE 2015 0254 XXE and RCE via XSL extension in JSTL XML tags,mail-archives.apache.org +29,1425155753,5,Apache Log4j 2 2 released,mail-archives.apache.org +1,1425140743,13,Looking for guidance on how to approach a game I want to make,self.java +18,1425140224,5,JavaFX Tutorial 5 Media Elements,youtube.com +24,1425136380,4,C the Java way,self.java +0,1425075743,14,Object Oriented Test Driven Design in C and Java A Practical Example Part 4,insidethecpu.com +0,1425066071,30,I can t run most applets because java security blocks them How do I lower security to medium low nonexistent for java 8u31 Why doesn t this option exist anymore,self.java +3,1425062863,7,Relatively easy open source projects to deconstruct,self.java +10,1425062705,10,Using Java 8 Lambda expressions in Java 7 or older,mscharhag.com +3,1425054286,7,Java Generics in Depth maybe part 1,stanpalatnik.github.io +1,1425044796,3,Reusable monadic computations,self.java +159,1425042278,11,Codehaus birthplace of many Java OSS projects coming to an end,self.java +7,1425032534,9,Fast way to improve loops performance using java 8,self.java +4,1425029963,5,replacing DocProperty in docx file,self.java +1,1425028060,7,Spring Security 4 0 0 RC2 Released,spring.io +0,1425027483,5,Online Professional Core Java Tutorials,self.java +2,1425027317,7,Houdini type conversion system for Spring framework,github.com +14,1425022038,3,PrimeFaces Sentinel Released,blog.primefaces.org +0,1425013432,6,Java amp JVM Conquer the World,zeroturnaround.com +10,1424996156,11,From compiler to backward compatibility here are 10 reasons Java RULES,voxxed.com +6,1424986326,9,Best Hibernate book to date for experienced Java developers,self.java +9,1424978406,8,Interface Evolution With Default Methods Part I Methods,blog.codefx.org +25,1424976895,7,what do you guys like in java,self.java +13,1424972499,6,Best practice for mocking a ResultSet,self.java +2,1424966074,16,How to show exactly whether the popularity of Java for desktop is increasing decreasing or dead,self.java +0,1424963019,4,Mocking should be Mocked,matthicks.com +1,1424961140,15,Is there a way or vm to run unsigned or self signed applet or jnlp,self.java +0,1424960532,13,What features tools conventions standards would you like Java to take ideas from,self.java +19,1424954483,6,Should I test drive my builders,ncredinburgh.com +4,1424905095,12,Package Drone 0 2 0 released The OSGi first software artifact repository,packagedrone.org +14,1424901948,34,CVE 2014 3578 Directory traversal vulnerability in Pivotal Spring Framework 3 x before 3 2 9 and 4 0 before 4 0 5 allows remote attackers to read arbitrary files via a crafted URL,cvedetails.com +25,1424901689,9,Getting up to speed with Java 7 and 8,self.java +9,1424901578,8,Bouncy Castle dev crypto 1 52 release candidate,bouncycastle.org +6,1424901039,9,Critical Security Release of Jetty 9 2 9 v20150224,dev.eclipse.org +4,1424900966,6,Apache Commons DBCP 2 1 released,mail-archives.apache.org +9,1424900900,6,Apache Tomcat 8 0 20 available,mail-archives.apache.org +0,1424898812,4,ELI5 void return type,self.java +1,1424893379,4,Benefits of micro frameworks,self.java +1,1424893144,8,How to add JasperReports library to Gradle project,dziurdziak.pl +0,1424886666,16,Help us learn more about current software architecture roles with this short survey from O Reilly,oreil.ly +9,1424880009,4,Introducing EagerFutureStream amp LazyFutureStream,medium.com +34,1424876740,4,Java 8 code style,self.java +13,1424867563,14,JSF 2 3 news facelets now default to non hot reload in production stage,jdevelopment.nl +18,1424864975,9,JVM Minor GC vs Major GC vs Full GC,plumbr.eu +6,1424860946,6,Runescape the most famous java game,self.java +0,1424858801,6,Retry After HTTP header in practice,nurkiewicz.com +14,1424856613,9,Experiences of a startup with using Java EE 7,adam-bien.com +1,1424855957,17,Mocking in Java why mocking why not mocking mocking also those awful private static methods Federico Tomassetti,tomassetti.me +4,1424852619,6,Herald Logging annotation for Spring framework,github.com +27,1424851644,7,Java 8 default methods as traits safe,stackoverflow.com +3,1424814817,12,Why we built illuminate and where we think APM is going next,jclarity.com +0,1424814371,11,Can anyone help me find out the problem here NEWBIE HELP,self.java +16,1424814249,20,How would you structure your web application to keep one code base for several customers each with their own customizations,self.java +7,1424812248,7,JSF 2 3 project overview and progress,jsf.zeef.com +0,1424784905,11,Where can I find good resources about p2p decentralized application development,self.java +33,1424783615,13,Some really old legacy from Oak the predecessor of Java Java abstract interface,stackoverflow.com +0,1424781621,11,Mac Java 8 update 31 has been updated to Update 31,self.java +97,1424780931,19,Proving that Android s Java s and Python s sorting algorithm is broken and showing how to fix it,envisage-project.eu +1,1424776127,12,An implementation of an argmax collector using the Java 8 stream APIs,gist.github.com +4,1424775958,7,Java Bug Fixed with Formal Methods CWI,cwi.nl +0,1424774805,12,A bookmarklet to switch from Java 7 to Java 8 API documentation,gist.github.com +18,1424771481,6,Hierarchical projects coming to Eclipse Mars,tools.jboss.org +13,1424734244,10,How does Java Both Optimize Hot Loops and Allow Debugging,cliffc.org +121,1424730377,2,Freaking Brackets,i.imgur.com +10,1424719198,5,Does Java need more Tutorials,self.java +1,1424717193,9,Stupid question How do I start my java programs,self.java +4,1424716231,8,Building RESTful Java EE Microservices with Payara Embedded,voxxed.com +6,1424715152,7,Work around same erasure errors with Lambdas,benjiweber.co.uk +25,1424713291,4,Is NetBeans frowned upon,self.java +3,1424710873,18,Newbie here Wanted to know what is the difference in Java 6 and Java 7 and Java 8,self.java +6,1424710819,8,Why you should be monitoring your connection pools,vladmihalcea.com +4,1424707510,4,Spring Security Registration Tutorial,baeldung.com +4,1424701845,4,Baeldung Weekly Review 7,baeldung.com +10,1424700948,13,Java Weekly 9 15 Reflection a Java 8 pitfall Flyway MVC and more,thoughts-on-java.org +15,1424638606,17,Noob warning New grad been working with Java for 3 years never used JBoss why should I,self.java +0,1424637219,12,Java Makes Programmers Want To Do Absolutely Anything Else With Their Time,forbes.com +19,1424634346,7,What is Java s equivalent of Monogame,self.java +0,1424625298,9,java lang NoSuchFieldError INSTANCE with Spring Social on Azure,stackoverflow.com +0,1424591047,11,Another one bites the Maven Central dust and saved by Bintray,blog.bintray.com +0,1424578300,9,How do I install Java when this comes up,i.imgur.com +9,1424577063,8,Creating a MYSQL JDBCProvider in IBM Integration Bus,daveturner.info +3,1424538239,4,Generating REST client jar,self.java +9,1424537913,11,How specialized are the Stream implementations returned by the standard collections,stackoverflow.com +4,1424522950,6,HttpComponents Client 4 4 GA Released,mail-archives.apache.org +0,1424522428,1,java,self.java +40,1424521068,11,Spring Framework 4 1 5 released x post from r springsource,spring.io +0,1424486788,2,Learning Java,self.java +26,1424459449,3,Value Based Classes,blog.codefx.org +0,1424456632,16,Do you think that Code Review checklist is a mandatory thing that a developer should follow,j2eebrain.com +0,1424454505,14,Object Oriented Test Driven Design in C and Java A Practical Example Part 3,insidethecpu.com +0,1424452552,6,Java EE Tutorial 12 1 Maven,youtube.com +6,1424445653,9,London JavaEE and GlassFish User Group with Peter Pilgrim,payara.co.uk +14,1424433967,13,All about MVC 1 0 the new MVC framework for Java EE 8,mvc.zeef.com +0,1424423659,4,Baeldung Weekly Review 8,baeldung.com +2,1424404662,3,Salary raise negotiation,self.java +4,1424388066,8,Spring Boot on OpenShift and Wildfly 8 2,blog.codeleak.pl +7,1424381420,5,Dependency Injection Without a Framework,drew.thecsillags.com +12,1424378567,9,Reactor 2 0 0RC1 debuts native reactive streams support,spring.io +3,1424372145,9,Using a JMS Queue to audit JPA entity reads,c4j.be +6,1424371676,9,Database Migrations in Java EE using Flyway Hanginar 6,blog.arungupta.me +3,1424364472,12,Instantly develop web apps on line with Rapidoid Java 8 cloud IDE,rapidoid.io +33,1424348230,17,Does a script language such as Python running on the JVM has the same performance as Java,quora.com +0,1424331617,4,Android studios help needed,self.java +4,1424328554,4,Getting Eclipse on arm,self.java +1,1424305684,7,RMI Problems Wall of exception via tcpdump,self.java +0,1424295086,6,Architecture Play 2 RESTful API AngularJS,self.java +2,1424293777,3,Opinions on school,self.java +5,1424291869,9,Liberty application server now free if RAM lt 2GB,developer.ibm.com +3,1424289461,8,Place with quality open source code for learning,self.java +0,1424276645,5,Junior Java Developer Position Available,self.java +1,1424268263,10,Java SDK for accessing data from forums news amp blogs,github.com +68,1424263736,7,Thou Shalt Not Name Thy Method Equals,blog.jooq.org +18,1424227633,17,As a professional do you spend more time writing your own code for editing someone else s,self.java +9,1424198646,7,SpringOne2GX 2015 CFP open close April 17th,springone2gx.com +27,1424196246,7,Netflix Nicobar Dynamic Scripting Library for Java,techblog.netflix.com +6,1424195619,5,What happened to spring rpc,self.java +4,1424177891,7,JavaLand 2015 Early Adopter s Area Preview,weblogs.java.net +7,1424177866,5,Quick view of fabric8 v2,vimeo.com +27,1424148819,9,JPA 2 1 12 features every developer should know,thoughts-on-java.org +11,1424142437,6,How useful are Sun SPOTs now,self.java +12,1424130069,11,why doesn t Java s type inference extend beyond lambda declarations,self.java +12,1424118065,18,Are there any libraries that mimic input devices such as keyboard mouse that is not the Robot class,self.java +8,1424106130,11,Does a library for getting objects from another running application exist,self.java +25,1424101056,16,Stagemonitor the open source java web application performance monitoring tool now has a public live demo,stagemonitor-demo.isys-software.de +33,1424095676,9,Byteman the Swiss army knife for byte code manipulation,blog.eisele.net +55,1424093133,12,Beginners Guide to Using Mockito and PowerMockito to Unit Test Java Code,johnmullins.info +5,1424072421,13,Java Weekly 8 15 Docker JVM mysteries a dynamic scripting lib and more,thoughts-on-java.org +3,1424071525,9,Hibernate locking patterns How does PESSIMISTIC_FORCE_INCREMENT Lock Mode work,vladmihalcea.com +33,1424069880,8,A Thorough Guide to Java Value Based Classes,blog.codefx.org +27,1424020301,6,Apache Tomcat 7 0 59 released,mail-archives.apache.org +0,1424015965,9,Strange behaviour of DELETE sub resource in Spring MVC,stackoverflow.com +0,1424010380,4,I need little help,self.java +0,1423993125,14,so the console is not giving me any output Any ideas why that is,imgur.com +3,1423955473,6,Java 8 streams API and parallelism,radar.oreilly.com +5,1423955049,9,Interesting things about the tests in the JUnit project,sleepeasysoftware.com +71,1423944184,19,I gathered all the Java 8 articles and presentations I was able to find on this one resources page,baeldung.com +0,1423929612,8,java 8 31 download broken on java com,self.java +22,1423925433,4,Multi Version JAR Files,openjdk.java.net +23,1423925306,13,Proposal removing all methods that use the AWT peer types in JDK 9,mail.openjdk.java.net +67,1423916032,7,Java Doesn t Suck Rockin the JVM,spring.io +16,1423886215,9,Where to go next with learning advanced Java concepts,self.java +3,1423870599,13,Is there a scientific calculator that can run java class files or jars,self.java +0,1423869092,3,Hot New Language,adamldavis.com +0,1423864675,8,Need ideas for a java based dissertation project,self.java +9,1423863436,27,Is there a service where you point it at a Github repo containing a pom xml file and it will automatically deploy to a public maven repo,self.java +8,1423843788,8,Massive Java EE 7 update for Liberty beta,developer.ibm.com +10,1423841539,11,JavaFX properties a clear example of why Java needs REAL properties,self.java +4,1423835818,7,Error Handling Without Throwing Your Hands Up,underscore.io +6,1423830665,8,Oracle And IBM Are Moving In Opposite Directions,adam-bien.com +4,1423828137,8,Setting up Spring MVC JPA Project via XML,self.java +3,1423816139,2,Hardware programming,self.java +1,1423797988,7,Most similar Spring setup for Symfony2 team,self.java +31,1423797697,4,From net to Java,self.java +6,1423770276,4,Gemnasium alternatives for Java,self.java +7,1423765541,10,Ignore the Hype 5 Docker Misconceptions Java Developers Should Consider,blog.takipi.com +5,1423761969,14,Spring XD 1 1 GA goes big on streaming with Spark RxJava and Reactor,spring.io +30,1423760957,7,The Black Magic of Java Method Dispatch,shipilev.net +42,1423750477,5,Why Java Streams once off,stackoverflow.com +0,1423750039,7,Styling AEM forms and their error messages,blog.karbyn.com +19,1423742812,4,Writing Just Enough Documentation,petrikainulainen.net +6,1423726750,9,JavaFX desktop app through web start jnlp inconsistent behaviour,self.java +7,1423715975,12,What are some quick ways to learn a developement framework for Java,self.java +6,1423697858,4,Opinions on Oracle certification,self.java +9,1423692013,5,Building Microservices with Spring Boot,infoq.com +4,1423679037,3,Why use Java,self.java +0,1423676922,9,How to get date from JDateChooser into the textfield,self.java +8,1423671212,8,Better application events in Spring Framework 4 2,spring.io +2,1423670267,6,Reading log files of transaction system,self.java +9,1423668114,13,Why is my JVM having access to less memory than specified via Xmx,plumbr.eu +0,1423661162,7,Four NOs of a Serious Code Reviewer,yegor256.com +1,1423659949,9,Spring Integration Kafka Extension 1 0 GA is available,spring.io +53,1423656245,8,Various ways of writing SQL in Java 8,jooq.org +0,1423645241,7,Microbench Simple to use java microbenchmarking library,self.java +4,1423641186,10,Java 8 is it really nicer to use it everywhere,self.java +2,1423604917,13,Just starting to learn Java here curious about the steps in learning java,self.java +6,1423603734,5,Spring vs Stripes security wise,self.java +0,1423602221,6,Java Rant what do you think,self.java +4,1423598923,6,Spring Integration debuts a Kafka Extension,spring.io +1,1423597857,13,Spring for Apache Hadoop 2 1 goes big on YARN and Spring Boot,spring.io +0,1423582410,4,How to Use eBay,prolificprogrammer.com +90,1423577754,2,The Irony,i.imgur.com +32,1423562784,10,An introduction to JHipster the Spring Boot AngularJS application generator,spring.io +20,1423562366,7,Tips Tweaks and being Productive with Eclipse,codemonkeyism.co.uk +2,1423542113,3,Minimum Snippet Algorithm,self.java +0,1423540897,16,Need help with a text adventure on how to populate a monster to a specific room,self.java +4,1423524447,14,What are the methods that you use most that you had to create yourself,self.java +0,1423511616,10,Java is the Second Most Popular Programming Language of 2015,blog.codeeval.com +10,1423498819,11,Five years later how is the Oracle Sun marriage working out,itworld.com +0,1423497299,8,Android Studio Migration from Maven Central to JCenter,blog.bintray.com +53,1423497296,7,Dell develops new Java pattern matching solution,opensource.com +16,1423484947,12,Java Weekly 7 15 Clustering WebSockets Batch API Lab Valhalla and more,thoughts-on-java.org +2,1423475732,5,Primitives in Generics part 1,nosoftskills.com +2,1423472101,4,CFV New Project Kona,mail.openjdk.java.net +0,1423471431,7,From JSP to Thymeleaf with Spring Boot,c4j.be +3,1423464028,3,Geo Mapping Library,self.java +0,1423462557,7,Java Code Hacks The Ultimate Deadlock Workaround,blog.takipi.com +0,1423457244,8,Intro Java Tutorial Your 1st Program HelloWorld java,youtu.be +0,1423427043,3,Enumerations Numaraland rmalar,yusufkildan.com +24,1423425033,7,Musings about moving from Java to Scala,blog.rntech.co.uk +0,1423424351,5,Project i was working on,self.java +11,1423422832,7,Groovy in the light of Java 8,javaguru.co +4,1423416919,7,Algorithm for pretty printing a binary tree,self.java +0,1423415056,7,Intro Java Tutorial Install Java and Eclipse,youtu.be +1,1423358828,10,Building A Better Build Our Transition From Ant To SBT,codeascraft.com +8,1423351256,4,2D Java Minecraft Clone,self.java +7,1423350892,9,The Java Posse Java Posse 461 The last episode,javaposse.com +50,1423343939,15,JVM implementation challenges Why the future is hard but worth it JFokus Slides 2015 PDF,cr.openjdk.java.net +0,1423340518,5,Common Maven Problems and Pitfalls,voxxed.com +0,1423336227,4,Proper Usage Of Events,stackoverflow.com +5,1423328459,5,Testing with Spring 4 x,infoq.com +1,1423317666,8,Performance considerations iterating ResultSet vs linked H2 tables,self.java +0,1423307192,10,I need help I don t understand Java at all,self.java +3,1423307065,9,Project which populates a maven repository from github releases,self.java +0,1423307029,18,Wondering the best way to convert multiple lines of user input from console to one line of string,self.java +5,1423285068,12,JUnits How to compare 2 complex objects without overriding toequals hashcode methods,self.java +13,1423284011,12,Anyone have experience with Java based real time heavy processing oriented architectures,self.java +0,1423280183,4,Java DL website broken,javadl.sun.com +5,1423278535,9,Git Repos and Maven Archetypes Our First Web App,youtu.be +0,1423259277,14,Object Oriented Test Driven Design in C and Java A Practical Example Part 2,insidethecpu.com +1,1423257225,13,SimpleFlatMapper v1 5 0 csv and resultset mapper now with better customisation support,github.com +5,1423249290,12,ParsecJ Introduction to monadic parsing in Java x post from r programming,github.com +39,1423248701,5,New Java Champion Jacek Laskowski,blogs.oracle.com +10,1423242602,12,Embracing the Void 6 Refined Tricks for Dealing with Nulls in Java,voxxed.com +10,1423235430,7,What s new in JSF 2 3,jdevelopment.nl +6,1423233850,6,SIGAR System Information Gatherer And Reporter,self.java +0,1423213368,7,Java Training Courses Ahmedabad Java Coaching Classes,prabhasolutions.in +42,1423193774,9,JUniversal A new Java based approach to cross platform,msopentech.com +0,1423190946,15,Installed the JDK but it has adware in the installer did I mess up somehow,self.java +19,1423162668,4,All JavaOne 2014 Sessions,oracle.com +3,1423156070,13,I can t find a good tutorial for making Swing GUIs in IntelliJ,self.java +24,1423154898,8,Java 8 Method References explained in 5 minutes,blog.idrsolutions.com +2,1423139218,5,What is a Portlet 2005,onjava.com +87,1423133766,7,Top 10 Easy Performance Optimisations in Java,blog.jooq.org +4,1423131545,5,Primitives in Generics part 1,nosoftskills.com +0,1423113332,5,OSGi Service Test Helper ServiceCollector,codeaffine.com +16,1423105058,9,any good book for designing reactive systems in java,self.java +6,1423092604,5,Apache HttpClient 4 x Timeout,blog.mitemitreski.com +5,1423082542,4,Java Lambdas Quick Primer,self.java +3,1423077392,16,What kind of impact has Lamda expressions had on the refactoring tools and java code analysis,self.java +19,1423074406,10,r springsource Sub reddit for resources related to Spring framework,self.java +1,1423072149,6,Getting started with ArangoDB and Java,arangodb.com +0,1423069219,26,I was thinking about sending this to a girl whose in computer science The code doesn t quite work yet but I kinda like this idea,self.java +0,1423059926,3,45 Java Quiz,thecodersbreakfast.net +2,1423053344,5,Batch API Hands on Lab,blogs.oracle.com +0,1423053048,5,JavaDay 2014 a leap forward,blog.mitemitreski.com +7,1423052515,9,C2B2 Java EE amp related tech newsletter Issue 20,blog.c2b2.co.uk +0,1423052400,9,Things that make me facepalm on Java EE development,trajano.net +3,1423050329,8,How JVMTI tagging can affect GC pause durations,plumbr.eu +0,1423043558,8,Problem need help Java MYSQL stuff for Uni,self.java +48,1423036112,6,IntelliJ IDEA 14 1 EAP Released,blog.jetbrains.com +0,1423035837,9,Database is wrong for you and all that FUD,jfrog.com +1,1423031823,4,How to Automate Gmail,prolificprogrammer.com +13,1423029384,12,Why Enterprises of different sizes are adopting Fast Data with Apache Spark,typesafe.com +8,1423028817,13,How to mock out a deeply nested class in Spring without going insane,sleepeasysoftware.com +15,1423026466,6,Looking for a Swing testing framework,self.java +1,1423023699,5,oracle java cloud services PaaS,cloud.oracle.com +2,1423023039,7,java play framework for lightweight web applications,playframework.com +7,1423007316,12,Is it possible to simulate a mouse click without moving the mouse,self.java +2,1423006461,3,InetSocketAddress Considered Harmful,tellapart.com +3,1423000839,9,Introducing Package Drone An OSGi first software artifact repository,packagedrone.org +28,1423000430,11,Trying to decide what to dive into next Scala or Groovy,self.java +7,1422996455,5,Maven support for Tomcat 8,self.java +8,1422988378,9,Moving from ANT scripts to Gradle for Java Projects,self.java +17,1422988171,10,SSO with OAuth2 Angular JS and Spring Security Part V,spring.io +11,1422984204,18,Trillian Mobile us RoboVM folks and Lodgon partner so you can write JavaFX apps for Android and iOS,voxxed.com +5,1422981493,15,In search of a tutorial which demonstrates login with Java EE 7 Netbeans and Glassfish,self.java +8,1422974014,8,DAGGER 2 A New Type of dependency injection,youtube.com +7,1422969074,6,Scaling Uber s Realtime Market Platform,qconlondon.com +19,1422964254,8,Why does JSF not just use plainish HTML,self.java +1,1422942176,10,GlassFish Became The Killer AppServer And Then Changed Its Name,adam-bien.com +1,1422935281,6,Hibernate config settings WAS to tomcat,self.java +0,1422923768,3,Suggested Java basics,self.java +14,1422922682,10,Do you use or have you used TomEE for production,self.java +0,1422919320,4,Scratch Java and Rotation,self.java +6,1422884284,24,Trying to dust off Java skills after 5 years what can i add to my tiny project OR what can i do much better,github.com +6,1422880460,6,Recommendations of Software Developer Colaboration Tools,self.java +1,1422877088,10,Developer Interview DI13 Vlad Mihalcea vlad_mihalcea about High Performance Hibernate,blog.eisele.net +38,1422845758,7,Dropwizard painless RESTful JSON HTTP web services,codeaweso.me +4,1422831372,5,An introduction to Open Dolphin,guigarage.com +0,1422829716,21,What would be the best usage of these Interfaces And does order matter in any of these If so which ones,self.java +0,1422817961,10,How can I auto minify my css html and js,self.java +25,1422809144,3,Introduction to Akka,ivanyu.me +12,1422794575,4,Spring JPA Multiple Databases,baeldung.com +4,1422777678,6,ORM Haters Don t Get It,techblog.bozho.net +3,1422776078,8,is marketplace eclipse org down for anyone else,self.java +0,1422761089,6,Noob Java student need help please,self.java +3,1422758905,7,Access file outside of tomcat bin directory,self.java +0,1422750119,14,Java 8 security settings have rendered it useless to me Anybody got any suggestions,self.java +13,1422743341,8,How can I compile a users inserted code,self.java +0,1422726654,14,How can I detect 2d shapes in an image like circles squares and rectangles,self.java +0,1422721852,6,Run a method from another class,self.java +4,1422721633,11,What s new in Payara a GlassFish fork 4 1 151,payara.co +22,1422720232,3,LMDB for Java,github.com +3,1422708204,10,Java 8 Auto Update Java 7 End of Public Update,infoq.com +10,1422705321,4,Apache Maven quarterly report,maven.40175.n5.nabble.com +27,1422698716,5,Spring 4 and Java 8,infoq.com +0,1422696556,12,Please format the following piece of Java code to your preferred style,self.java +0,1422670795,23,Need to hash sets of primitive types I wrote a little utility class that does based on the methods described in Effective Java,gist.github.com +0,1422664975,5,Need help with dividing numbers,self.java +7,1422659783,4,The Serialization Proxy Pattern,blog.codefx.org +0,1422653918,7,found javascript spyware what does it do,self.java +0,1422653529,7,Issues with loading an image to screen,self.java +0,1422646987,5,Nedd Help Java w GUI,self.java +7,1422638453,17,Dropwizard Jhipster or just SpringBoot SpringMVC for modern java web development in a restful and enjoyable way,self.java +2,1422638230,6,Alternatives for ARM less JavaFX Users,voxxed.com +7,1422635774,13,New version of Java run time 8u31 is available with important security updates,oracle.com +24,1422624053,7,FYI java util Optional is not Serializable,stackoverflow.com +2,1422608385,4,A question about ArrayLists,self.java +3,1422608144,6,100 High Quality Java Developers Blogs,programcreek.com +0,1422602804,17,What s the status of relation between JEP 169 Value Objects Value Types for Java Object Layout,mail.openjdk.java.net +248,1422600617,12,Congratulations r Java has been chosen as the SUBREDDIT OF THE DAY,reddit.com +0,1422571936,7,500 Java Interview Questions answered with diagrams,java-success.com +1,1422563294,2,Struts2 Learning,self.java +2,1422560957,8,Static Inner Classes When is it too much,self.java +32,1422553985,8,Why does java not include overflow exception checking,self.java +0,1422550232,9,7 JIRA Integrations to Optimize Your Java Development Workflow,blog.takipi.com +0,1422549826,10,One of my favorite features of Intellij IDEA Call Hierarchy,sleepeasysoftware.com +5,1422548296,14,Spring XD 1 1 RC1 goes big on streaming with Spark Reactor and RxJava,dzone.com +2,1422545678,6,jClarity RMI and System gc Unplugged,jclarity.com +3,1422545609,6,CDI Part 2 The Advanced Features,youtube.com +18,1422545585,7,You Will Regret Applying Overloading with Lambdas,blog.jooq.org +3,1422541175,11,Should I learn any other languages or anything else before proceeding,self.java +16,1422539832,10,Simple Fluent Api for Functional Reactive Programming with Java 8,github.com +5,1422518172,7,Limitations of Java C C vs Java,self.java +4,1422503346,10,Net Web Developer looking to jump aboard the Java ship,self.java +55,1422502715,25,Do you ever feel like you ve spent so much of your profession in Java EE that it isn t worth it to jump ship,self.java +2,1422498929,10,What s a good tool to monitor alert JMX metrics,self.java +18,1422493501,7,Java Book Recommendations for Intermediate Advanced learning,self.java +9,1422484300,12,Is there a Java JSP equivalent to the ruby on rails guides,self.java +6,1422479733,8,Implementing a RESTful API Using Spring MVC Primer,self.java +0,1422479478,8,Part 3 Almost Everything about Replication feat Hazelcast,pushtechnology.com +0,1422478110,7,How to run 2 different java versions,self.java +0,1422475581,9,how can I download java version 1 6 0_29,self.java +7,1422470946,11,The API Gateway Pattern Angular JS and Spring Security Part IV,spring.io +0,1422465242,13,Does Maven Already Ship Witch Eclipse Luna or Should I Still Install It,self.java +13,1422457600,8,The Double Curly Braces Idiom a Poisoned Gift,beyondjava.net +5,1422447294,5,Java Management Extensions Best Practices,oracle.com +18,1422436544,5,Responsive PrimeFaces DataTable Part II,blog.primefaces.org +7,1422427635,12,How will Java 8 handle the leap second of June 30th 2015,self.java +0,1422426749,6,Difference between Abstract Class and Interface,net-informations.com +5,1422420097,9,SWT Look and Feel Customize FlatScrollBar Color and More,codeaffine.com +5,1422416539,5,Just getting into java programming,self.java +4,1422405187,4,javafx shape intersect image,self.java +13,1422400710,14,First official JSF 2 3 contribution from zeef com injection of generic application map,jdevelopment.nl +3,1422389702,4,Use Maven Not Gradle,rule1.quora.com +8,1422387157,10,Honest question what do you consider Java s biggest strength,self.java +3,1422381724,10,Drop in servlet plugin for user auth and user management,stormpath.com +3,1422377187,11,google places api java A Google Places API binding for Java,github.com +7,1422374097,17,A UML to Java generator that auto creates getters and setters a constructor and a toString method,utamavs.me +0,1422371488,6,LWJGL Neural Network Based EVOLVING TANKS,youtube.com +0,1422361789,8,How I use the Vertabelo API with Gradle,vertabelo.com +3,1422361110,5,Easy Java Instrumentation with Prometheus,boxever.com +2,1422358527,6,Timeout support using ExecutorService and Futures,deadcoderising.com +3,1422356260,8,Logging to Redis using Spring Boot and Logback,blog.florian-hopf.de +0,1422355984,13,Is this remark about java util StringTokenizer and java io StreamTokenizer still true,self.java +52,1422351450,10,Grrrr Eclipse is still faster than IntelliJ gt Run program,self.java +21,1422350081,12,I m an experienced developer new to java what should I know,self.java +5,1422343013,13,ET a small library for exception conversion helps getting rid of checked exceptions,github.com +0,1422333574,7,What is this Eclipse icons for ants,imgur.com +0,1422323650,15,Why isn t there a package manager that s as good as NPM for Java,self.java +0,1422323642,7,Come watch me stream Spring and Hibernate,twitch.tv +26,1422315637,8,What motivated you to become a better programmer,self.java +21,1422307574,11,JavaEE learning resources for beginners Java EE Enterprise Edition Tutorial Learning,self.java +4,1422298448,6,Debugging Java 8 Lambdas with Chronon,chrononsystems.com +1,1422281722,9,Could anyone recommend some good project based java books,self.java +1,1422280682,13,Java Weekly 5 15 CDI in Java SE DeltaSpike James Gosling and more,thoughts-on-java.org +0,1422280090,9,The easiest ERD ORM integration ever Vertabelo and jOOQ,vertabelo.com +23,1422278433,2,OCaml Java,ocamljava.org +0,1422272942,9,Hibernate locking patterns How does Optimistic Lock Mode work,vladmihalcea.com +9,1422271057,9,What project management issue tracking software do you use,self.java +0,1422270213,9,Object Oriented Test Driven Design in C and Java,insidethecpu.com +1,1422265986,13,Firebird JDBC driver Jaybird 2 2 7 is released with a few fixes,firebirdsql.org +5,1422240165,6,IDEA users Have you used WebStorm,self.java +0,1422228780,7,Java Security Exception for Locally Run Applet,self.java +23,1422184497,21,Zero allocation Hashing 0 2 receives MurmurHash3 3 9 GB s on i5 4200M Now looking for volunteers to implement FarmHash,github.com +14,1422153170,7,I want to make something in Java,self.java +0,1422120401,7,Can someone help me with a program,self.java +7,1422118835,10,Search In A Box With Docker Elastic Search and Selenium,alexecollins.com +0,1422118741,4,Capture Behaviors in Closures,medium.com +46,1422114093,4,Announcing Gradle Tutorial Series,rominirani.com +0,1422110816,4,ExecuteQuery v4 3 0,executequery.org +0,1422104801,5,Tapestry 5 4 beta 26,tapestry.apache.org +0,1422104741,5,Jetty 9 2 7 v20150116,dev.eclipse.org +0,1422104548,5,Javassist 3 19 0 GA,github.com +1,1422104493,6,Apache Tomcat 8 0 17 available,mail-archives.apache.org +17,1422103084,10,The Resource Server Angular JS and Spring Security Part III,spring.io +15,1422084891,10,There is any good quality image manipulation library in Java,self.java +16,1422061178,3,Best Java Conferences,self.java +5,1422029711,10,A recipe for a data centric rich internet application Blog,vaadin.com +0,1422023234,8,help with a simple java program stack unstack,self.java +14,1422012208,11,How to Translate SQL GROUP BY and Aggregations to Java 8,blog.jooq.org +14,1422006439,9,youtube Java and the Wave Glider with James Gosling,youtube.com +0,1422005467,16,Need help looking for ebook Starting Out with Java Early Objects 5th Edition isbn 978 0133776744,self.java +0,1422002737,14,Thread Magic Tricks 5 Things You Never Knew You Can Do with Java Threads,blog.takipi.com +0,1421975227,5,Eclipse HELP lost my workspace,self.java +0,1421973886,12,For all you people with insomnia i made an App for you,self.java +3,1421973711,8,Converting an Image to Gray Scale in Java,codesquire.com +4,1421972225,24,Here is an image of my javadoc setup for LWJGL Can you tell me why this doesn t work eclipse says it s valid,i.imgur.com +6,1421967728,4,PrimeFaces responsive data table,primefaces.org +16,1421956667,14,Looking for an article about how coding to make testing easier improves code design,self.java +11,1421953482,10,Real time performance graphs for java web applications Open Source,stagemonitor.org +7,1421953048,6,Let s bring Swift to JVM,self.java +1,1421951446,5,Help with installing Eclipse luna,self.java +9,1421946223,5,Partial Functions in Java 8,self.java +6,1421944494,8,Java testing using FindBugs and PMD in NetBeans,blog.idrsolutions.com +3,1421942063,9,NoSQL with Hibernate OGM 101 Persisting your first entities,in.relation.to +88,1421938138,10,5 Advanced Java Debugging Techniques Every Developer Should Know About,infoq.com +9,1421935664,12,The most popular upcoming Java EE 8 technologies according to ZEEF users,arjan-tijms.omnifaces.org +2,1421935346,5,Development Horror Story Release Nightmare,radcortez.com +0,1421930699,5,Polymorphism in any IT system,self.java +23,1421928286,5,If Then Throw Else WTF,yegor256.com +0,1421917696,4,Lombok and JSTL issue,self.java +0,1421914876,5,Help with Binary Converter Program,self.java +0,1421907934,13,My Opinion Banning break and continue from your loops will improve code quality,sleepeasysoftware.com +6,1421898755,5,Help with try catch statements,self.java +19,1421880955,6,Lightweight Javac Warning Annotation library 3kb,github.com +12,1421872748,8,Web App Architecture the Spring MVC AngularJs stack,blog.jhades.org +4,1421867986,7,Top testing tips for discriminating java developers,zeroturnaround.com +12,1421855266,9,A New Try with resources Improvement in JDK 9,blog.mitemitreski.com +3,1421853065,12,Is Spring Framework a good choice for an Internet of Things backend,self.java +41,1421844692,9,More concise try with resources statements in JDK 9,blogs.oracle.com +8,1421842865,5,New IntelliJ Tricks Part 2,trishagee.github.io +31,1421840334,5,Safe casting idiom Java 8,self.java +3,1421835245,7,How to make 2d games in java,self.java +14,1421832757,15,Yeoman generator for java library hosted on github with quality checks and maven central publishing,github.com +2,1421829341,12,20 Reasons Why You Should Move to JavaFX and the NetBeans Platform,informit.com +15,1421828801,14,Ben Evans Java Champion reviews Java in 2014 and looks forward to Java 9,jclarity.com +5,1421802645,3,Java Developer Roadmap,self.java +15,1421792859,7,Oracle Critical Patch Update Advisory January 2015,oracle.com +11,1421789016,8,Examples of GoF Design Patterns in Java APIs,stackoverflow.com +0,1421784724,9,Graduate Java Developer looking for advices on his portfolio,self.java +0,1421782828,5,MDB JMS and vice versa,dzone.com +12,1421782710,9,Heads Up on Java EE DevNexus 2015 The Aquarium,blogs.oracle.com +34,1421782279,13,Fork Join Framework vs Parallel Streams vs ExecutorService The Ultimate Fork Join Benchmark,blog.takipi.com +5,1421780194,13,Suis je Groovy No What Pivotal s Decision Means for Open Source Software,java.dzone.com +0,1421779929,10,The Resource Server Angular JS and Spring Security Part III,spring.io +12,1421779559,11,Microservice Registration and Discovery with Spring Cloud and Netflix s Eureka,spring.io +3,1421754990,7,Apache FOP Integration with Eclipse and OSGi,codeaffine.com +8,1421753233,9,Bug in JavaFX SceneBuilder how can I report it,self.java +40,1421753071,20,As I haven t found any examples of Java music visualisers I m sharing the solution I came up with,github.com +0,1421728504,5,Where can I execute EJBs,dzone.com +16,1421728476,8,Micro Benchmarking with JMH Measure Don t Guess,voxxed.com +0,1421707644,19,What is involved in a graduate scheme when joining an IT company as a graduate Java developer or equivelant,self.java +22,1421699117,19,Pivotal drops sponsorship of Grails but Grails will continue active development according to Graeme Rocher head of Grails project,grails.io +15,1421698512,10,Java 8 LongAdders The Fastest Way To Add Numbers Concurrently,blog.takipi.com +10,1421695701,7,A simple search app for maven archetypes,wasis.nu +8,1421695471,10,How to execute bat files from an executable jar file,self.java +67,1421688059,15,Groovy 2 4 And Grails 3 0 To Be Last Major Releases Under Pivotal Sponsorship,blog.pivotal.io +7,1421687917,18,Pivotal is no longer sponsoring Grails I have a Grails project in the works What should I do,self.java +4,1421677972,5,Question on Jasper Report JRXML,self.java +12,1421675734,12,Best tools for creating a quick prototype demo gui for rest services,self.java +3,1421675504,5,Simple linear regression using JFreeChart,technobium.com +13,1421673803,6,CDI amp JDK8 based Asynchronous alternative,jdevelopment.nl +0,1421671614,8,Using Java 8 to Prevent Excessively Wide Logs,blog.jooq.org +4,1421641826,7,Is 3D game programming good for beginners,self.java +17,1421613921,11,How much did do you earn as a graduate Java Developer,self.java +6,1421610534,8,Looking for code coverage tooling with Maven integration,self.java +10,1421610356,7,Java 8 lambda performance is not great,self.java +20,1421610197,7,TeaVM Compiles Java byte code to Javascript,teavm.org +15,1421608773,7,How to write your own annotation processor,hannesdorfmann.com +56,1421597444,9,JitPack Easy to use package repository for Java projects,jitpack.io +18,1421593067,5,Working with doc docx files,self.java +12,1421590083,9,Getting Started with Gradle Creating a Multi Project Build,petrikainulainen.net +11,1421589816,10,2015 Proof Of Concept JSF 2 0 Distributed Multitiered Application,java.dzone.com +11,1421588918,6,Whiteboards do you guys use them,self.java +18,1421565181,5,Audit4j 2 2 0 released,audit4j.org +4,1421512037,8,Follow JSF 2 3 development via GitHub mirror,jdevelopment.nl +22,1421510814,5,Apache Tika 1 7 Released,mail-archives.apache.org +3,1421506159,10,Simple Java EE JSF Login Page with JBoss PicketLink Security,ocpsoft.org +10,1421505501,8,JSF 2 3 Using a CDI managed Converter,weblogs.java.net +1,1421504898,14,HELP Program only detects 32bit java but requires 64bit java to increase ram usage,self.java +2,1421476177,7,Jgles2 a slim wrapper around GLES2 0,self.java +0,1421465023,2,Eclipse Issue,self.java +13,1421463460,9,Example java applications that don t use an ORM,self.java +3,1421432301,26,SimpleFlatMapper v1 3 0 very fast micro orm that can be plugged in jooq sql2o spring jdbc and fast and easy to use csv parser mapper,github.com +8,1421428466,6,Favorite Java build and deploy toolchain,self.java +2,1421420874,10,Top Java Blogs redesigned with blog icons and top stories,topjavablogs.com +44,1421416882,7,Java 9 Doug Lea reactive programming proposal,cs.oswego.edu +7,1421416282,5,Printing of a big jTable,self.java +0,1421399936,8,How to shut mouth of a C bigot,self.java +32,1421395380,8,Everything You Need To Know About Default Methods,blog.codefx.org +17,1421386561,7,New to Intellij IDEA IDE tips tricks,self.java +3,1421386044,3,Java serial comm,self.java +0,1421363705,5,Java BMI Calculator Using Eclipse,self.java +15,1421357849,9,vJUG Java and the Wave Glider with James Gosling,voxxed.com +0,1421357447,15,How can I run methods outside of main in Eclipse with ease like in BlueJ,self.java +2,1421353984,7,Deep Dive All about Exceptions Freenode java,javachannel.org +6,1421351815,8,Micro Benchmarking with JMH Measure don t guess,antoniogoncalves.org +6,1421342387,7,RichFaces 4 5 2 Final Release Announcement,developer.jboss.org +11,1421341541,6,Class Reloading in Java A Tutorial,toptal.com +10,1421341391,10,Mysterious 4 4 1 20150109 Eclipse Luna update is SR1a,jdevelopment.nl +14,1421335863,12,HighFaces new open source JSF 2 chart component library based on HighCharts,highfaces.org +6,1421333917,8,Surprisingly useful methods that do nothing at all,benjiweber.co.uk +2,1421332080,17,Question would it be better to change my KryoNet based communication between programs for a RabbitMQ RPC,self.java +8,1421327360,6,Thoughts on Object Oriented Class Design,chase-seibert.github.io +4,1421326522,5,Lightweight Java Database APIs Frameworks,self.java +13,1421325157,20,What s the best way to throw exceptions The old school don t use go to s or returns debate,self.java +6,1421321695,5,Spring Clound and centralized configuration,spring.io +3,1421317666,7,How do you evaluate a Java Game,self.java +0,1421316597,4,The Rubber Ducky Debugging,youtube.com +0,1421306368,10,Stream js The Java 8 Streams API ported to JavaScript,github.com +8,1421288621,10,What is working for a company that uses Java like,self.java +8,1421286538,6,Where do you go for hosting,self.java +5,1421278504,7,12 Factor App Style Configuration with Spring,spring.io +0,1421278414,4,FourorLess my first App,gcclinux.co.uk +61,1421272866,9,What s the neatest code you ve ever seen,self.java +1,1421267119,10,static mustache Statically checked compiled logicless templating engine for java,github.com +1,1421264079,7,Stalwarts of Tech Interview with John Davies,jclarity.com +1,1421259535,5,A question about lambda expressions,self.java +18,1421255662,6,Advanced Java Application Deployment Using Docker,blog.tutum.co +1,1421252592,19,Is there a way I can use the libraries imported by another java file w o importing it again,self.java +4,1421246754,7,JSF amp PrimeFaces amp Spring video tutorial,javavids.com +11,1421245017,9,Is Java pass by value or pass by reference,javaguru.co +22,1421242240,7,Good news Java developers Everyone wants you,infoworld.com +28,1421241785,10,Four techniques to improve the performance of multi threaded applications,plumbr.eu +7,1421214037,14,Self Contained Systems and ROCA A complete example using Spring Boot Thymeleaf and Bootstrap,blog.codecentric.de +25,1421199938,6,JUnit tests that read like documentation,mikedeluna.com +0,1421197971,6,Lerning Java Online Where to start,self.java +0,1421187174,10,Idea gathering for Java related course project topic 100 150hours,self.java +0,1421186530,8,Stop webapp on tomcat from CMD line issues,self.java +7,1421185698,19,Switching from the love of my life Intellij Idea to eclipse A quick question that bugs me like crazy,self.java +1,1421174827,8,Java 8 Streams API as Friendly ForkJoinPool Facade,squirrel.pl +4,1421172114,5,Valhalla Caution bleeding edge ahead,mail.openjdk.java.net +0,1421169042,12,Mental Manna Traverse a BST in order using iteration instead of recursion,geekviewpoint.com +8,1421167677,5,Java8 Sorting BEWARE Performance Pitfall,rationaljava.com +0,1421164859,10,What s Stopping Me Using Java8 Lambdas Try Debugging Them,rationaljava.com +2,1421164615,16,Looking for conference topics what is new and exciting in the world of Java in 2015,self.java +26,1421162706,22,What topics would you include in an hour long lecture on Java for students with no prior experience with object oriented programming,self.java +14,1421162285,9,Running tests on both JavaFX and Swing using Junit,blog.idrsolutions.com +12,1421160754,7,Easy to understand Java 8 predicate example,howtodoinjava.com +10,1421157190,5,System in stdin through Tomcat,self.java +13,1421143228,12,Neanderthal a fast native Clojure matrix library 2x faster than jBLAS benchmarks,neanderthal.uncomplicate.org +4,1421142581,6,PrimeFaces Elite 5 1 8 Released,blog.primefaces.org +18,1421139302,7,DoorNFX Touchscreen JavaFX 8 on Raspberry Pi,voxxed.com +5,1421128699,5,Spring Security Roles and Privileges,baeldung.com +11,1421116021,8,How to tell if a file is accessed,self.java +0,1421113499,7,Why Java could not compete with PHP,github.com +1,1421112805,17,15 Want to get a jump on Java before taking my school s AP Computer Science class,self.java +31,1421097555,5,What ORM do you use,self.java +3,1421092776,14,How does Facebook integration work with web applications when retrieving data from their database,self.java +0,1421089335,9,How often do you need to configure a bean,self.java +12,1421088377,10,Flavors of Concurrency in Java Threads Executors ForkJoin and Actors,zeroturnaround.com +12,1421084611,7,Getting Started With IntelliJ IDEA Live Templates,voxxed.com +1,1421083929,8,AYLIEN Java client Library for Text Analysis SDK,github.com +75,1421073543,5,Java 8 No more loops,deadcoderising.com +7,1421071804,5,Flyway 2014 Year in Review,flywaydb.org +6,1421063462,9,How do you handle Configuration for your web apps,self.java +3,1421048988,8,A beginner s guide to Java Persistence locking,vladmihalcea.com +62,1421044559,18,Code Bubbles is an IDE that allows you to lay out and edit your code visually by function,cs.brown.edu +2,1421021230,5,College Student New to Java,self.java +25,1421003322,5,New Blog for Java 8,java8examples.com +41,1421002370,10,Brian Goetz Lambdas in Java A peek under the hood,youtube.com +33,1420956291,9,Any projects open source projects need a java developer,self.java +0,1420953231,5,Python vs Java Numerical Computing,self.java +0,1420908720,8,Get Keywords By Using Regular Expression in Java,programcreek.com +5,1420905378,13,Eclipse not being able to guess the types of elements in a collection,self.java +1,1420903673,5,Good introductory texts for Java,self.java +4,1420890437,7,Business Rules Management in Java with Drools,ayobamiadewole.com +27,1420877028,5,First rule of performance optimisation,rationaljava.com +0,1420833824,11,Why Now is the Perfect Time to Upgrade to Java 8,blog.appdynamics.com +8,1420831837,11,Why is there no official mature library for modern Rest Authentication,self.java +18,1420830582,7,How to get Groovy with Java 8,javaguru.co +5,1420827857,8,Arquillian Container WebLogic 1 0 0 Alpha3 Released,arquillian.org +6,1420827310,8,Any good JSF libraries for JCR Modeshape content,self.java +6,1420819946,9,Make your Primefaces app load faster with lazy loading,blogs.realdolmen.com +11,1420817610,8,A Look Back at 2014 8 Great Things,blogs.oracle.com +9,1420796777,6,Initial milestone of JSF 2 3,blogs.oracle.com +0,1420792276,9,Calendar to Date issue This could cause big problems,stackoverflow.com +78,1420791085,5,Java quirks and interview gotchas,dandreamsofcoding.com +8,1420790412,12,Open source APM tool for large scale distributed systems written in Java,github.com +8,1420782826,6,Spring Session 1 0 0 RELEASE,spring.io +5,1420756636,5,Java 8 Streams and JPA,blog.informatech.cr +0,1420754377,9,Call stored proc using Spring JDBC with input output,self.java +1,1420752275,10,Curious What did you read to help you learn Java,self.java +2,1420723345,6,I need advice for solo Java,self.java +65,1420722483,8,Java 8 Default Methods Explained in 5 minutes,blog.idrsolutions.com +4,1420721286,3,Fastest Matrix Library,self.java +9,1420716922,4,Lambda VS clean code,self.java +0,1420716417,9,My Journey away from Play Framework and back again,medium.com +9,1420709806,7,New advanced diagram component introduced in PrimeFaces,blog.primefaces.org +6,1420700990,12,NetBeans Software for Explosive Ordnance Disposal amp Clearance Divers Geertjan s Blog,blogs.oracle.com +7,1420698985,7,New Javadoc Tags apiNote implSpec and implNote,blog.codefx.org +13,1420697204,8,gngr a browser under development in pure Java,gngr.info +8,1420695836,16,Interview with Charles Nutter co lead of the JRuby project on the future of the JVM,ugtastic.com +9,1420678842,9,How to make some sort of an executable file,self.java +9,1420678377,11,Need Advice What would the best way to modularize JSF applications,self.java +0,1420654896,18,Get started in no time with JAX RS Jersey with Spring Boot Spring Data Spring Security Spring Test,blog.codeleak.pl +16,1420647199,6,Using Comsat with Standalone Servlet Containers,blog.paralleluniverse.co +30,1420645742,9,Inside the Hotspot VM Clocks Timers and Scheduling Events,blogs.oracle.com +30,1420645135,14,Thread Magic Tricks 5 Things You Never Knew You Can Do with Java Threads,blog.takipi.com +9,1420640559,5,Need recommendations on Cassandra books,self.java +17,1420636334,10,Tutorial IntelliJ IDEA Plugin Development Getting Started and the StartupActivity,cqse.eu +2,1420632349,12,using uniVocity 1 0 7 to export data and generate test databases,univocity.com +1,1420620338,16,Beginner with the Java tech What softwares do i need on my computer to learn efficiently,self.java +0,1420601906,10,Scraping Vine Videos from the Twitter Streaming APIs in Java,dannydelott.com +23,1420592628,10,I want to get ahead of my Computer Science class,self.java +12,1420587601,7,Java EE authorization JACC revisited part II,arjan-tijms.omnifaces.org +0,1420585358,9,Caching and Messaging Improvements in Spring Framework 4 1,infoq.com +0,1420583891,7,Package JSF Flow in a JAR file,byteslounge.com +2,1420582276,8,IntelliJ idea Any video tutorial to run jUnit,self.java +0,1420576723,5,Java code noob help plz,self.java +6,1420573479,12,Loading view templates from a database with Thymeleaf composing multiple template resolvers,blog.kaczmarzyk.net +17,1420572777,9,Simple Java to Java remoting library using HTTP S,self.java +5,1420567662,9,From JPA to Hibernate legacy and enhanced identifier generators,vladmihalcea.com +3,1420566949,9,Building a HATEOAS API with JAX RS and Spring,blog.codeleak.pl +8,1420562089,20,Any Spring Roo users here How does the new 1 3 version compare with Spring Boot for a new project,self.java +2,1420554169,9,FreeBuilder automatic builder pattern implementation for your value types,freebuilder.inferred.org +8,1420549316,14,5 reasons why JavaFX is better than Swing for developing a Java PDF viewer,dzone.com +9,1420534526,9,NetBeans Top 5 Highlights of 2014 Geertjan s Blog,blogs.oracle.com +0,1420522888,6,Using Netflix Hystrix annotations with Spring,java-allandsundry.com +2,1420521565,8,How to get NBA scores for my application,self.java +0,1420511386,26,Seeking opinions Does the fact that Oracle s Java Mission Control was built on the Eclipse platform mean anything for the future of the NetBeans platform,self.java +1,1420506426,9,Java Web Start In or Out of the Browser,blogs.oracle.com +10,1420505177,16,la4j 0 5 0 with composable iterators is released up to 20x speedup on sparse data,github.com +24,1420504069,11,A Persistent KeyValue Server in 40 Lines and a Sad Fact,voxxed.com +3,1420487192,16,Simple Flat Mapper v 1 2 0 fast and easy to use mapper from flat record,github.com +3,1420456719,4,Finally Retry for Spring,java-allandsundry.com +5,1420456162,10,Login For a Spring Web App Error Handling and Localization,baeldung.com +33,1420453319,12,Difference between WeakReference vs SoftReference vs PhantomReference vs Strong reference in Java,javacodegeeks.com +0,1420445047,12,Spring from the Trenches Resetting Auto Increment Columns Before Each Test Method,petrikainulainen.net +0,1420442573,13,An alternative API for filtering data with Spring MVC amp Spring Data JPA,blog.kaczmarzyk.net +29,1420441832,15,Java 9 and Beyond Oracle s Brian Goetz and John Rose Glimpse into the Future,infoq.com +2,1420400192,9,Anyone have any J2EE EJB primer books to recommend,self.java +0,1420390837,4,Learn Java with Examples,adarshspatel.in +7,1420382516,4,Twitter bot with Java,self.java +49,1420373917,3,Java without IDE,self.java +5,1420370593,14,Spring Framework 4 1 4 amp 4 0 9 amp 3 2 13 released,spring.io +8,1420328929,5,Java Past Present and Future,infoq.com +4,1420309062,6,Netty 4 0 25 Final released,netty.io +23,1420304550,4,Valhalla The Any problems,mail.openjdk.java.net +5,1420303716,6,Apache Commons Pool 2 3 released,mail-archives.apache.org +53,1420303317,10,My first path tracer that I wrote purely in Java,github.com +10,1420279466,8,Todd Montgomery Discusses Java 8 Lambdas and Aeron,infoq.com +9,1420263186,2,Invokedynamic 101,javaworld.com +2,1420231387,10,A simple use case comparison of JVM libraries for MongoDB,insaneprogramming.be +38,1420215381,6,Mockito Mock Spy Captor and InjectMocks,baeldung.com +15,1420185926,5,Instances of Non Capturing Lambdas,blog.codefx.org +22,1420183912,10,A beginner s guide to JPA Hibernate entity state transitions,vladmihalcea.com +5,1420150616,5,Java 2D game Space Shooter,github.com +0,1420149757,6,how to draw shapes using java,cakejava.com +0,1420144699,8,NetBeans is awfully sluggish laggy on retina MBP,self.java +5,1420134938,7,Is comparing String different than comparing objects,javaguru.co +0,1420126528,14,Anybody wants to create a Java game libgdx for android and ios with me,self.java +12,1420124536,9,Develop powerful Big Data Applications easily with Spring XD,youtube.com +2,1420124223,6,A Spring criticism drawbacks amp pitfalls,web4j.com +0,1420122300,4,Looking to learn Java,self.java +6,1420120212,15,The Firebird JDBC team is happy to announce the release of Jaybird 2 2 6,firebirdsql.org +6,1420114880,2,Android development,self.java +73,1420113268,11,Memory consumption of popular Java data types Java Performance Tuning Guide,java-performance.info +5,1420108752,3,Concepts of Serialization,blog.codefx.org +8,1420102887,4,A handful Akka techniques,manuel.bernhardt.io +19,1420065755,10,What is The Best Way To Monitor A Java Process,self.java +1,1420043485,11,For Spring development is the Spring Tool Suite better than Netbeans,self.java +3,1420039756,13,Article on using FindBugs to squash bugs in Java with NetBeans and Ant,dzone.com +8,1420024804,12,A tutorial for persisting XML data via JAXB and JPA with HyperJAXB3,confluence.highsource.org +31,1420019679,6,Java 8 The Design of Optional,blog.codefx.org +2,1420004818,7,2014 A year review for Spring projects,spring.io +23,1419974615,6,Java 8 WTF Ambiguous Method Lookup,jvilk.com +2,1419973391,9,JAX RS Rest Service Example with Jersey in Java,memorynotfound.com +1,1419973333,14,Tutorial 19 JSTL Afficher le contenu d un fichier XML dans une page JSP,cakejava.com +8,1419972785,10,Calculate Relative Time also known as Time Ago In Java,memorynotfound.com +16,1419968120,21,Fast and stateless API authentication with Spring Security an article with a demo app Java Config embedded Jetty 9 EHCache etc,resilientdatasystems.co.uk +7,1419947636,6,Sizzle java singleton dependency management library,self.java +14,1419941309,2,Hibernate Pagination,baeldung.com +32,1419931276,9,New Java 8 Date and JPA 2 1 Integration,adam-bien.com +0,1419930214,6,Java vs PHP for website development,self.java +9,1419895241,8,Under The Hood With Java 10 Enhanced Generics,infoq.com +0,1419886935,3,Java SE Cakejava,cakejava.com +0,1419883798,4,Java developers on Logging,self.java +5,1419877911,8,Apache Maven Surefire Plugin 2 18 1 Released,maven.40175.n5.nabble.com +15,1419869974,6,Apache Commons Math 3 4 Released,mail-archives.apache.org +0,1419869263,14,What would be the effects of a significant breakthrough in quantum computing for programmers,self.java +0,1419857927,11,Leaky Abstractions or How to Bind Oracle DATE Correctly with Hibernate,blog.jooq.org +74,1419856122,14,Java based open source tool Cryptomator encrypts your cloud files Join me on Github,cryptomator.org +2,1419817218,5,Spring with intellij community edition,self.java +19,1419811403,7,Exact String Matching Algorithms Animation in Java,www-igm.univ-mlv.fr +13,1419804109,7,Java EE authorization JACC revisited part I,arjan-tijms.omnifaces.org +14,1419780000,9,Manipulating JARs WARs and EARs on the command line,javaworld.com +0,1419770177,5,Spring Batch Hello World Tutorial,javahash.com +1,1419767598,11,I d like to learn java No prior experience with programming,self.java +5,1419764821,7,Space verus Time in Java s ObjectOutputStream,maultech.com +5,1419762582,4,Asynchronous timeouts with CompletableFuture,nurkiewicz.com +69,1419758773,12,Marco Behler s 2014 Ultimate Java Developer Library Tool amp People List,marcobehler.com +4,1419752504,9,JPA 2 1 How to implement a Type Converter,thoughts-on-java.org +18,1419718182,18,Can someone explain to me container less deployment and why it s better than using tomcat with spring,self.java +11,1419716950,18,Do you think there s any reason to pick up Scala in 2015 is Java 8 widespread enough,self.java +2,1419708131,6,Should I upgrade to Java 8,self.java +41,1419692550,8,Three Reasons Why I Like the Builder Pattern,petrikainulainen.net +17,1419691689,2,Java Timer,baeldung.com +32,1419674403,6,Apache Maven 3 2 5 Release,maven.40175.n5.nabble.com +11,1419674329,5,Apache POI 3 11 released,mail-archives.apache.org +7,1419617927,6,Java Question Making your database portable,self.java +35,1419606056,6,How to build a Brainfuck interpreter,unnikked.ga +13,1419603250,4,Java 8 flatMap example,adam-bien.com +1,1419588566,6,Java book for an experienced programmer,self.java +0,1419578206,4,Best Java Swing books,self.java +6,1419574052,11,Java question Can you make an iOS game app with Java,self.java +0,1419548318,4,Oracle Certification JSE Programmer,self.java +4,1419543024,8,Interview with Erin Schnabel on the Liberty Profile,infoq.com +31,1419534330,16,Performance of various general compression algorithms some of them are unbelievably fast Java Performance Tuning Guide,java-performance.info +62,1419533467,11,Random value has a 25 75 distribution instead of 50 50,stackoverflow.com +28,1419524368,6,Unsigned int considered harmful for Java,nayuki.io +0,1419497208,6,Books for Java beginners on Nook,self.java +0,1419480821,5,Declaring Objects in java question,self.java +9,1419442350,7,14 Tips for Writing Spring MVC Controller,codejava.net +35,1419438244,6,Merry Christmas to all who Celebrate,self.java +0,1419432879,6,Install Java and Set class path,youtube.com +14,1419431619,8,My 3 Christmas wishes for Java EE Security,self.java +5,1419423648,17,why there is no JSR specification for Aspect oriented programming like jpa servlet if there is no,self.java +16,1419376893,14,Spring XD 1 1M2 introduces Kafka based message bus deeper Reactor and RabbitMQ support,spring.io +3,1419359805,19,Is there anyway i can code an app widget that can help me automate the work that i do,self.java +4,1419341647,12,Developing web sites in Java frameworks JFS JSP MVC good or bad,self.java +10,1419333980,11,What s up with Java EE 8 A Whistle Stop Tour,voxxed.com +15,1419333275,18,PrimeFaces Elite 5 1 7 is released featuring the new Steps Component new PhotoCam improved accessibility and more,blog.primefaces.org +0,1419325692,8,JDK JRE Class Loader Bytecode Bytecode Interpretor JVM,youtube.com +17,1419314844,11,A beginner s guide to transaction isolation levels in enterprise Java,vladmihalcea.com +17,1419312452,8,Audit4j An open source auditing framework for Java,audit4j.org +0,1419301317,7,What can I actually build with Java,self.java +1,1419280080,4,Teaching Kids Java Programming,infoq.com +10,1419271138,7,Easy way to visualize your REST APIs,java.dzone.com +27,1419257069,12,Valhalla Bleah Layers are too complicated was Updated State of the Specialization,mail.openjdk.java.net +18,1419254370,7,Bridging Undertow s authentication events to CDI,jdevelopment.nl +27,1419232537,12,Are You Binding Your Oracle DATEs Correctly I Bet You Aren t,blog.jooq.org +14,1419231659,6,OpenJDK 8 builds for MS Windows,self.java +3,1419186302,5,Commons Codec 1 10 HMAC,commons.apache.org +45,1419146993,11,Looking into the Java 9 Money and Currency API JSR 354,mscharhag.com +10,1419139490,7,Alternative to locks and actors slides pdf,github.com +2,1419130372,5,Hibernate DDL missing a table,self.java +13,1419111586,7,How to modify JSF library load order,beyondjava.net +6,1419109675,10,Fujaba From UML to Java and Back Again CASE tool,fujaba.de +0,1419104129,4,where do I start,self.java +15,1419101486,8,Image Editor App Swing vs Awt vs JavaFX,self.java +3,1419095887,12,Remember that satirically over engineered adding library from a few years back,self.java +5,1419086592,3,AntLR 4 4,github.com +11,1419076898,11,Why standards are hot or why I still like Java EE,adam-bien.com +11,1419065939,6,Valhalla Updated State of the Specialization,mail.openjdk.java.net +193,1419026726,13,The most useful Eclipse shortcuts in gif form and a printable cheat sheet,elsealabs.com +12,1419025177,4,JDBI JDBC or Hibernate,self.java +1,1419020230,5,Mojarra 2 2 9 released,java.net +8,1419014027,13,Spring for Apache Hadoop 2 1 0M3 improves YARN and Spring Boot support,spring.io +6,1419010351,11,Big microservice infrastructure strides with Spring Cloud 1 0 0 RC1,spring.io +8,1419003426,3,Online Java Degree,self.java +12,1418991418,7,Camel Selective Consumer using JMS Selector Example,pretechsol.com +1,1418968691,12,Object Streams Serialization and Deserialization using Serializable Interface to save objects state,codingeek.com +0,1418961112,7,Newbie in need of help with objects,self.java +54,1418951480,8,Why are public fields so demonized in Java,self.java +0,1418946571,5,Restlet framework 2 3 0,restlet.com +1,1418946522,5,Jetty 9 2 6 v20141205,dev.eclipse.org +1,1418943332,5,Junit Timeout 4 12 release,github.com +4,1418941756,10,Looking for a Java Project to Add to the Resume,self.java +2,1418925804,13,A Glance into the Developer s World of Data Graphs RDBMS and NoSQL,zeroturnaround.com +20,1418923421,5,On Servlets and Async Servlets,blog.paralleluniverse.co +5,1418900810,3,Java Advent Calendar,javaadvent.com +16,1418897372,8,First Hibernate OGM release aka 4 1 Final,in.relation.to +8,1418869415,7,Numeric behavior change in 1 8 0_20,self.java +5,1418850990,7,Does anybody have any experience with Lanterna,self.java +4,1418849843,14,Spring IO Platform 1 1 0 adds new Spring Integration tech to platform distro,spring.io +0,1418844379,8,Deploying a Java Application with Docker and Tutum,blog.tutum.co +10,1418840889,8,Dynamic Code Evolution VM for Java 7 8,github.com +0,1418837143,9,Can I get help debugging my breakout game code,self.java +4,1418821689,12,Eric D Schabell Jump Start Your Rules Events Planning and BPM Today,schabell.org +5,1418821153,9,How jOOQ Leverages Generic Type Safety in its DSL,javaadvent.com +18,1418820865,9,All about Java EE 8 End of year update,javaee8.zeef.com +1,1418790142,2,ELI5 Encapsulation,self.java +44,1418781082,8,Can we add r DoMyHomework to the sidebar,self.java +3,1418769703,7,Isomorphic Java Script Apps using ReactJS Nashorn,augustl.com +0,1418760514,5,Best way to learn JAVA,self.java +1,1418753221,4,Understanding containment of GLabel,self.java +1,1418737631,6,Java Socket Stream Connected to Javascript,self.java +9,1418736584,13,Are there Java build tools where the builds are specified in Java itself,self.java +0,1418727754,7,License4J Licensing API and Tools new version,license4j.com +10,1418713099,9,Too Bad Java 8 Doesn t Have Iterable stream,blog.jooq.org +108,1418713049,7,10 Books Every Java Developer Should Read,petrikainulainen.net +7,1418679977,10,Java 8 BYO Super Efficient Maps Quadruple Your Map Performance,self.java +16,1418651159,8,Java Puzzle are you up for a challenge,plumbr.eu +30,1418642474,8,My Sunday hacking project Fast Private Fields Extractor,github.com +8,1418629600,9,Apache Tapestry 5 3 8 compatible with Java 8,tapestry.apache.org +5,1418628826,6,EAGER fetching is a code smell,vladmihalcea.com +0,1418627548,12,Java Project 1 URL opens many links in new tabs seeking help,self.java +4,1418615184,11,You can now suppress the Ask Toolbar prompt when updating Java,itwire.com +1,1418613506,9,Deploying static content via JBoss Application Server AS 7,javawithravi.com +0,1418600019,6,HELP need link to JDK JavaDoc,self.java +0,1418594692,3,Most missed features,self.java +0,1418591027,6,Need advice on making a game,self.java +61,1418589659,25,I ve just finished up a class with a professor that maintains his own parallel computing library in Java You guys should check it out,self.java +2,1418563930,6,VIBeS Variability Intensive system Behavioural teSting,projects.info.unamur.be +1,1418562982,11,spark indexedrdd An efficient updatable key value store for Apache Spark,github.com +1,1418562819,6,Apache PDFBox 1 8 8 released,mail-archives.apache.org +0,1418562538,5,Hipster Library for Heuristic Search,hipster4j.org +42,1418527792,9,Bytecode Viewer 2 2 1 Java Reverse Engineering Suite,github.com +0,1418524552,3,Share Java Projects,learnbasicjava.com +5,1418514319,5,Java Development Reverse Engineering Forum,the.bytecode.club +1,1418506021,7,Micro java framework for web development updates,self.java +19,1418497794,7,Faster Object Arrays in Java InfoQ presentation,infoq.com +6,1418481967,5,How did you learn Java,self.java +8,1418475016,5,State of Flow EclipseMetrics Plugin,stateofflow.com +42,1418470851,8,Nashorn Architecture and Performance Improvements in JDK 8u40,getprismatic.com +18,1418462460,4,Best Java Blogs list,baeldung.com +9,1418454039,5,JMustache Simple templating in Java,github.com +0,1418449823,5,java if statement error help,self.java +8,1418444969,6,Anyone use Undertow in production system,self.java +11,1418440470,12,Core Java Interview Questions Podcast Episode 2 How to fail your interview,corejavainterviewquestions.com +1,1418436899,13,Why doesn t String equals s work sensibly when s is instanceof CharSequence,self.java +9,1418432872,4,Java beginner project ideas,self.java +3,1418430083,7,Options for Building REST APIs in Java,mooreds.com +0,1418416206,13,Effective Java a decent book to either supplement or read after Head First,self.java +27,1418389199,6,Java and services like Docker vagrant,self.java +0,1418383786,11,Building dynamic responsive multi level menus with plain HTML and OmniFaces,self.java +10,1418378722,10,Java Advent Calendar Lightweight Integration with Java EE and Camel,javaadvent.com +7,1418378696,9,Using Lambdas and Streams to find Lambdas and Streams,blogs.oracle.com +2,1418374118,3,JAVA iOS tools,javaworld.com +3,1418357979,14,C guy getting started in Java Simply want to add item to a JList,self.java +1,1418344657,15,How do I allow any kind of data input and test what type it is,self.java +0,1418335585,11,What s the Java Version of Gems Bundler NPM Composer Packagist,self.java +1,1418334469,4,Questions About Server Architecture,self.java +3,1418324007,13,Nginx Clojure v0 3 0 Released Supports Nginx Access Handler amp Header Filter,nginx-clojure.github.io +12,1418322905,9,Spring Security 4 0 0 RC1 improves WebSocket security,spring.io +2,1418310120,5,Free english dictionary eclipse compatible,self.java +10,1418306118,9,Java Advent Calendar Self healing applications are they real,javaadvent.com +0,1418298081,4,Help with Quiz program,self.java +29,1418283853,6,Spring Boot 1 2 0 released,spring.io +1,1418278666,7,Java Beginner Question and Looking for Suggestions,self.java +0,1418269088,3,Beginner seeking help,self.java +19,1418266322,8,What s the lightest servlet container out there,self.java +10,1418265677,10,My Current Personal Project A JSF Component Library Using Foundation,self.java +3,1418262993,6,Any good Java open source CRM,self.java +7,1418249841,5,Why should I use IntelliJ,self.java +1,1418242077,5,Java import and uml dependency,self.java +0,1418236626,5,Ruby better than Java Meh,youtube.com +3,1418234144,10,Flavors of Concurrency in Java Threads Executors ForkJoin and Actors,zeroturnaround.com +2,1418231317,11,Adding WebSocket endpoints on the fly with JRebel and Spring Boot,zeroturnaround.com +0,1418227965,21,What is the point of JSP or JSF or Spring MVC or Struts etc now that we HTML5 and AngularJS etc,self.java +6,1418227507,18,SimpleFlatMapper v1 1 0 fast and easy to use mapper for Jdbc Jooq Csv with lambda stream support,github.com +0,1418222306,6,Idiots Guide to Big O Notation,corejavainterviewquestions.com +0,1418217860,24,I haven t programmed in a year so I m very rusty Any ideas on what I should do as a project to unrustify,self.java +11,1418216927,4,Tiny Types in Java,markphelps.me +2,1418212315,9,What happens internally when the outermost Stream is closed,self.java +3,1418210875,4,Graphical Visualizations in JavaDoc,flowstopper.org +80,1418210252,9,Did you know pure Java 8 can do 3D,self.java +3,1418204332,5,The Evolution of Java Caching,adtmag.com +8,1418198156,7,5 ways to initialize JPA lazy relations,thoughts-on-java.org +1,1418197857,5,Java Annotated Monthly December 2014,blog.jetbrains.com +3,1418190134,9,Can you download Java 1 8 for Snow Leopard,self.java +44,1418187033,8,Over 30 vulnerabilities found in Google App Engine,javaworld.com +2,1418174938,15,ROUGH CUT Interview with Charles Nutter aka the JRuby Guy at GOTO Night Chicago 2015,youtube.com +3,1418165546,12,Looking for an intellij color theme like SublimeText s blackboard color theme,self.java +0,1418162015,6,OOPS Java is same as English,kossip.ameyo.com +3,1418161183,6,Spring Framework 4 1 3 released,spring.io +1,1418161159,6,Latest Jackson integration improvements in Spring,spring.io +1,1418161137,12,SpringOne2GX 2014 Replay Develop powerful Big Data Applications easily with Spring XD,spring.io +17,1418160795,14,Is it just me or is JavaScript a lot harder to learn than Java,self.java +2,1418160327,13,Looking for Java lib for large file transfer push to many local clients,self.java +7,1418158321,9,New Java Version it s not JDK 1 9,infoq.com +0,1418158283,10,One day training on Java 8 Lambda Expressions amp Streams,qconlondon.com +6,1418156482,6,Spark Web Framework 2 1 released,sparkjava.com +1,1418150582,5,Problem with Online Java Applet,self.java +3,1418150385,11,Java 8 vs Scala The Difference in Approaches and Mutual Innovations,kukuruku.co +62,1418141853,10,Don t be clever The double curly braces anti pattern,java.dzone.com +2,1418136519,14,Webinar on Dec 17 Using Docker amp Codenvy to Speed Development Project On Boarding,blog.exoplatform.com +0,1418135873,7,Heavy use of swing in java app,self.java +10,1418134567,5,New Java info site Voxxed,voxxed.com +3,1418129747,11,Java Advent Calendar Own your heap Iterate class instances with JVMTI,javaadvent.com +81,1418128463,8,Top 10 Books For Advanced Level Java Developers,programcreek.com +2,1418120064,3,JGit Authentication Explained,facon-biz.prossl.de +5,1418118022,11,Typesafe survey Java 8 Adoption Strong Users Anxious for Java 9,infoq.com +16,1418113018,9,lwjgl3 Ray tracing with OpenGL Compute Shaders Part I,github.com +10,1418097778,9,Could you create a rainmeter type program in java,self.java +18,1418064202,9,Java Scala Ceylon Evolution in the JVM Petri Dish,dzone.com +34,1418062870,11,JDK 9 Early access Build 41 Available Images are now modular,mreinhold.org +22,1418062468,4,Update My IRC Client,self.java +0,1418060636,6,Usage of serialVersionUID in Java serialization,softwarecave.org +4,1418056775,8,IntelliJ IDEA 14 0 2 Update is Available,blog.jetbrains.com +18,1418056654,18,Watch this video Dr Venkat Subramaniam if you still don t understand the benefits of Java 8 lambdas,vimeo.com +0,1418054717,10,I need some help in making a text based game,self.java +9,1418020733,13,Java Weekly 49 Java doesn t suck annotations everywhere free ebooks and more,thoughts-on-java.org +2,1418016598,6,factory vs dataclassname Datasource on Tomcat,self.java +1,1418002379,11,Data pool issues Moving legacy Java app from Websphere to Tomcat,self.java +0,1417989727,6,Avoid conditional logic in Spring Configuration,blog.frankel.ch +11,1417986916,11,metadata extractor a Java library for reading metadata from image files,github.com +2,1417971077,7,Need some help with my script please,self.java +0,1417968958,8,Switching JPanel when clicking on a JButton Swing,self.java +0,1417962820,11,Can someone help me see what is wrong with this code,imgur.com +2,1417958756,6,Jolokia 1 2 3 Released ssl,jolokia.org +7,1417946955,27,My system OSX Mavericks has 16GB of RAM but I can run programs with Xms32g Xms512gb and even Xms1024gb didn t test further How is this possible,self.java +14,1417928863,5,your personal opinions on Neo4j,self.java +0,1417902839,11,SD DSS Tool Cross border eSignature creation and validation made easier,github.com +8,1417897034,6,Choco solver Library for Constraint Programming,choco-solver.org +7,1417894403,8,Any suggestions on great debugging code analysis tools,self.java +5,1417888184,9,Apache Maven Assembly Plugin Version 2 5 2 Released,self.java +0,1417886575,9,How do I simulate the collision of two objects,self.java +0,1417886161,6,ECLIPSE PROBLEM Dosgi requiredversion 1 6,self.java +0,1417880075,3,Help with swing,self.java +0,1417849923,5,Content Assist Problems with Eclipse,imgur.com +32,1417838072,27,Core Java Interview Questions Podcast 1 is out now The top 5 actions you can take right now to improve your chances of landing your next job,corejavainterviewquestions.com +19,1417836091,7,Apache Maven Review of Concepts amp Theory,youtu.be +2,1417829142,4,Spark Framework Updating staticFileLocation,self.java +0,1417827132,13,Is it okay to store SQL strings in a DB to later execute,self.java +0,1417824464,8,In MVC should a model contain subview models,programmers.stackexchange.com +1,1417819568,5,Administering GlassFish with the CLI,blog.c2b2.co.uk +1,1417794381,3,Intellij Gradle Swing,self.java +21,1417781719,6,First look Spring Boot and Docker,blog.adaofeliz.com +38,1417779650,9,Proposed to Drop JEP 198 Light Weight JSON API,mail.openjdk.java.net +0,1417764795,7,Groovy can someone explain this to me,self.java +3,1417761819,3,java security settings,self.java +1,1417746411,12,Best way to incorporate William Whitaker s Words into a Java program,self.java +13,1417732573,8,JBoss Forge funny tutorial what do you think,youtube.com +3,1417721593,9,How to host a forked Maven project s artifacts,self.java +0,1417720212,6,How do you compare two Dates,self.java +61,1417719970,7,The Java 7 EE Tutorial free eBook,blogs.oracle.com +7,1417717551,10,Cracking Vigenere Cipher using Frequency Analysis in Java Example Code,ktbyte.com +2,1417715600,7,Demonstration of AES CBC Mode in Java,ktbyte.com +13,1417708402,8,IntelliJ IDEA 14 0 2 RC is Out,blog.jetbrains.com +26,1417706554,10,Can t Stop this Release Train JDK 9 Images Modularised,voxxed.com +2,1417704144,6,Using a switch in a constructor,self.java +13,1417682646,9,Review Java Performance The Definitive Guide by Scott Oaks,thoughts-on-java.org +1,1417680633,8,Review my code and give me some criticism,self.java +0,1417672703,8,I need some help updating my Java installation,self.java +3,1417666988,8,What do you like about the NetBeans IDE,self.java +0,1417661405,7,How to horizontally scale websockets on AWS,self.java +6,1417655506,6,Brian Goetz Stewardship the Sobering Parts,m.youtube.com +2,1417647063,12,JDBC DB delta sync util that brings prod data to QA fast,github.com +0,1417642725,9,Looking for a small Java app for testing purposes,self.java +2,1417629525,6,Survey Help make JBoss Tools better,twtsurvey.com +8,1417628166,12,Product vs Project Development 5 factors that can completely alter your approach,zeroturnaround.com +22,1417626758,10,Java Doesn t Suck You re Just Using it Wrong,jamesward.com +0,1417625782,11,Using testng xml with Gradle and handling up to date checks,publicstaticvoidma.in +382,1417620670,10,Every time I need to kill a hung JVM process,i.imgur.com +2,1417603048,4,Best Java books tutorials,self.java +0,1417559502,6,Compile and run java in textpad,youtube.com +9,1417558771,9,Secure Async WebServices using Apache Shiro Guice and RestEasy,github.com +6,1417557440,18,Apache MetaModel data access framework providing a common interface for exploration and querying of different types of datastores,metamodel.apache.org +10,1417556989,8,KillBill Open Source Subscription Billing amp Payment Platform,killbill.io +14,1417554136,9,RESTful web framework setup can it be any simpler,github.com +0,1417552247,19,FormDataMultiPart needs to get all values in a lt select gt multiselect but its only returning the last selected,self.java +0,1417546627,3,Extracting Jar files,self.java +16,1417543960,7,The Fatal Flaw of Finalizers and Phantoms,infoq.com +27,1417532869,9,You Don t Need Spring to Do Dependency Injection,voxxed.com +0,1417527485,4,Need some help please,self.java +1,1417523328,8,Deferred Fetching of Model Elements with JFace Viewers,codeaffine.com +2,1417490460,9,Developing Microservices for PaaS with Spring and Cloud Foundry,java.dzone.com +2,1417479350,5,Acai Guice for JUnit4 tests,blog.lativy.org +10,1417474361,11,Radioactive Java 8 library for building querying mutating and mapping beans,github.com +1,1417468024,6,Creating executable jar file with Maven,softwarecave.org +2,1417461464,11,Manfred Riem discusses JSF 2 3 MVC 1 0 and Mojarra,content.jsfcentral.com +7,1417458711,9,First Milestone of Spring Data Release Train Fowler Available,spring.io +4,1417457826,11,Spring Integration Java DSL pre Java 8 Line by line tutorial,spring.io +1,1417452732,18,Check my quick and dirty unit test helper to assist you debugging and validating non trivial test outputs,github.com +6,1417452677,6,WordPress Drupal CMS alternatives in Java,self.java +37,1417452343,15,What are some of the biggest and well know java applications used in the world,self.java +36,1417449725,10,15 Tools Java Developers Should Use After a Major Release,blog.takipi.com +4,1417449038,15,Bean mapping generator MapStruct 1 0 Beta3 is out with nested properties qualifiers and more,mapstruct.org +33,1417439187,20,Meet Saros An open source Eclipse extension that allows you to work on code with multiple users from different computers,self.java +2,1417423792,11,Java Weekly 48 Modern APIs Entity Graph agile specs and more,thoughts-on-java.org +4,1417423735,9,New Java Version It s not JDK 1 9,infoq.com +1,1417414181,9,Question Question Regarding JavaScript build tool in Java Project,self.java +0,1417411672,7,Can MicroServices Architecture Solve All Your Problems,sivalabs.in +2,1417405696,5,Entity locking in Spring perhaps,self.java +0,1417402016,3,Programming HW help,self.java +0,1417396721,7,How do you dummy proof an input,self.java +97,1417391248,3,Java for Everything,teamten.com +5,1417389756,32,I work with JEE since 2006 I m currently working with grails and with like to keep my JEE and spring knowledge polished updated What kind of personal project could achieve this,self.java +1,1417382591,6,Using getters and setters best practice,self.java +11,1417373520,11,What s the best place to get started with Spring MVC,self.java +28,1417365329,12,IndentGuide a plugin for Eclipse that shows vertical guides based on indentation,sschaef.github.io +8,1417362616,5,The Rise of Cache First,voxxed.com +0,1417341741,24,When i use an Netbeans IDE i get no errors When i attempt to use javac from the command console i get 25 what,self.java +2,1417331076,9,Multi Job Scheduling Service by using Spring and Quartz,java.dzone.com +0,1417330282,10,How do i make a users input a variable integer,self.java +39,1417330071,9,JVM amp Garbage Collection Interview Questions beginner s guide,corejavainterviewquestions.com +0,1417323187,19,Learn about Exception in Java and How to handle exception in Java One of Most important concept in java,learn2geek.com +14,1417303291,5,Aurous Open Source Spotify Alternative,github.com +37,1417301141,3,Java 8 OPEN,youtube.com +0,1417293667,5,Question Public Static Void Abstract,self.java +0,1417288596,2,Animation Problems,self.java +3,1417254448,17,Chance to win free copy of upcoming Java book Beginning Java Programming The Object Oriented Approach Wiley,dataminingapps.com +11,1417234554,3,Java Game Physics,self.java +0,1417214510,12,Spring IOC tutorial in slovak language with english subtitles feedback is welcome,youtube.com +0,1417208313,2,Spring questions,self.java +0,1417194724,5,Need help with java homework,self.java +20,1417191922,6,Java Performance Workshop with Peter Lawrey,vladmihalcea.com +0,1417182899,9,Java frameworks for webservice application in banking think enterprise,self.java +4,1417180182,6,A question about single class programs,self.java +30,1417168978,6,JavaBeans specification is from another era,blog.joda.org +7,1417147336,2,Teacher Mentor,self.java +20,1417140386,9,IntelliJ vs Eclipse speed for program to start running,self.java +9,1417123566,7,Free hosting service for Maven MySQL project,self.java +0,1417118371,4,Java reference static variables,self.java +0,1417117410,12,Java 1 8 Scrambled GUI on Mac OS X 10 7 5,self.java +9,1417116311,7,Newsflash OmniFaces 2 0 released amp reviewed,beyondjava.net +8,1417114056,9,Bootiful Java EE Support in Spring Boot 1 2,java.dzone.com +15,1417110820,10,A Look at the Proposed Java EE 8 Security API,voxxed.com +21,1417110269,7,Data Processing with Apache Crunch at Spotify,labs.spotify.com +13,1417105033,10,IntelliJ IDEA 14 0 2 EAP 139 560 is Out,blog.jetbrains.com +33,1417102358,8,Flyway 3 1 released Database migrations made easy,flywaydb.org +2,1417100715,8,A good book about everything related to Java,self.java +0,1417086058,4,Login system with Java,self.java +0,1417081994,14,Write and compile your java code online with the help of experienced java programmers,myonlinejavaide.com +0,1417046309,15,Coming soon New Real time as a service sing up and get premium for free,realapi.com +0,1417045996,15,My new tutorial about transactions and Spring please feedback are the subtitles convenient to read,youtube.com +0,1417040043,12,Any one can solve this problem Really hard for a new learner,self.java +74,1417032133,10,Why you should use the Eclipse compiler in Intellij IDEA,blog.dripstat.com +0,1417030129,11,Has anyone written an AngularJS application consisting of 100 HTML pages,self.java +20,1417029154,5,Java EE security JSR published,jcp.org +2,1417029044,17,What s the site or package that has everything you need to get started with web development,self.java +0,1417017034,5,Secure Containers for the Cloud,waratek.com +65,1417011350,13,Docker for Java Developers How to sandbox your app in a clean environment,zeroturnaround.com +3,1417004769,4,SWT Mouse Click Implementation,codeaffine.com +0,1416983448,7,There Is No Cluster in Java EE,java.dzone.com +1,1416983316,6,Writing Complex MongoDB Queries Using QueryBuilder,java.dzone.com +0,1416965539,9,I need help with a really basic Java class,self.java +0,1416964567,7,Measure overhead of JNI invocation on Android,self.java +17,1416960058,9,JSF and MVC 1 0 a comparison in code,arjan-tijms.omnifaces.org +20,1416959458,12,Any recommendations for an installer software to package up Java desktop apps,self.java +6,1416950448,4,Writing Java in iOS,self.java +7,1416940876,15,Spring Cloud 1 0 0 M3 project release train introduces new Cloud Foundry AWS Support,spring.io +7,1416939565,16,Mite Mitreski Java2Days 2014 From JavaSpaces JINI and GigaSpaces to SpringBoot Akka reactive and microservice pitfalls,blog.mitemitreski.com +14,1416938084,13,Anyone depends on Java applets They may stop working in chrome next year,blog.chromium.org +4,1416930994,8,Spring Integration Java DSL Line by line tutorial,spring.io +1,1416929881,12,Does anyone offer classroom training for WAS 7 8 8 5 anymore,self.java +15,1416927920,9,Setting JSF components conditionally read only through custom components,knowles.co.za +12,1416927739,5,Locating JSF components by ID,blogs.oracle.com +8,1416927385,5,Implementing JASPIC in the application,trajano.net +0,1416907115,4,vrais ou faux jumeaux,infoq.com +5,1416906184,7,Order of Servlets in Tomcat Application Deployment,self.java +0,1416889674,9,Spring Roo 1 3 0 Introduces JDK 8 support,java.dzone.com +2,1416889579,11,Externalizing Session State for a Spring Boot Application Using Spring Session,java.dzone.com +3,1416889472,8,Where do you guys read to on java,self.java +37,1416889325,7,Java threading from the start interview questions,corejavainterviewquestions.com +11,1416887550,8,I need an idea for a test project,self.java +0,1416879380,7,why is my java program not repeating,self.java +15,1416860929,4,OmniFaces 2 0 released,arjan-tijms.omnifaces.org +0,1416839302,11,Why is eclipse complaining that it cant find the main class,self.java +5,1416839089,14,Java Weekly 47 Java 9 tweet index compress and authenticate REST service and more,thoughts-on-java.org +50,1416833527,13,ubuntu specific call for action openjdk 8 needs packaging on 14 04 LTS,bugs.launchpad.net +3,1416831229,11,Beat O n space complexity in Spring REST with Streams API,airpair.com +2,1416831176,16,How to parse and execute arithmetic expressions with the Shunting Jard algorithm x post r programming,unnikked.ga +3,1416825270,8,Spring Integration Java DSL 1 0 GA Released,spring.io +0,1416812395,14,lt Help gt User Object count and GDI object count of application in java,self.java +23,1416809657,7,Searchable Javadoc a prototype for JEP 225,winterbe.com +4,1416790393,9,Plugins etc for being more productive developing in Java,self.java +0,1416789555,11,Can someone please explain how to debug a program with eclipse,self.java +0,1416786331,4,NullPointerException in OlympicAthlete class,self.java +0,1416772218,8,Question with Euclids algorithm and the remainder operator,self.java +13,1416770226,3,Salary in US,self.java +0,1416755330,5,Are you concerned about this,indeed.com +9,1416754459,5,Java ranks highly as usual,news.dice.com +31,1416752897,19,We are developing a new browser atop Java not released yet Here s our justification C amp C welcome,gngr.info +2,1416752201,7,Java Primitive Sort arrays using primitive comparators,github.com +0,1416750023,12,uniVocity parsers 1 3 0 is here with some useful new features,univocity.com +97,1416748964,20,A look into the mind of Brian Goetz Java Language Architect the advantages of Java 10 Value Types at 45min,youtube.com +0,1416685244,6,R dplyr Group by field dynamically,java.dzone.com +4,1416685175,12,SpringOne2GX 2014 Replay Developer Tooling What s New and What s Next,java.dzone.com +0,1416677694,4,ELI5 Interfaces in Java,self.java +0,1416677202,11,Keep connection or resume if the connection gets lost on socket,self.java +2,1416673263,7,A layout optimized Java data structure package,objectlayout.org +0,1416672752,6,Aplikasi Java Buat Gambar Kartun Sendiri,pulungrwo.in +56,1416671017,5,ExecutorService 10 tips and tricks,nurkiewicz.com +0,1416664407,17,How can I get java to do nothing if the condition of an if statement is true,self.java +0,1416664192,5,How to debug a ArrayIndexOutOfBoundsException,self.java +1,1416661334,7,structure like switch but defined at runtime,self.java +3,1416636262,12,I want to be a professional Java developer any advice Details inside,self.java +0,1416621005,17,Hey r java Need a project to work on Help with my abstract game engine on GitHub,github.com +0,1416616294,4,SharePoint Crossword Puzzle Generator,self.java +15,1416600656,9,Spring Roo 1 3 0 introduces Java 8 support,spring.io +10,1416598810,9,Spring Boot 1 2 0 RC2 introduces Undertow support,spring.io +6,1416596142,28,Could DukeScript take off in popularity Its not like GWT It can actually run Java with HTML views in a browser environment without a Java plugin or applet,dukescript.com +5,1416592631,3,Help writing bits,self.java +7,1416590685,9,Methods and Field Literals in a future Java version,mail.openjdk.java.net +6,1416589144,6,Seven Virtues of a Good Object,yegor256.com +2,1416588882,10,Decimal Precision with doubles storing in arrays Need help please,self.java +35,1416571930,5,WildFly 8 2 is released,wildfly.org +3,1416563982,12,Speedment Partners with Hazelcast for SQL Based In Memory Operational Data Store,blog.hazelcast.com +3,1416559404,7,File Paths on Linux Pi Vs Windows,self.java +13,1416547586,5,OrientDB 2 0 M3 Released,self.java +0,1416509447,13,SpringOne2GX 2014 Replay Java 8 Language Capabilities What s in it for you,java.dzone.com +50,1416509371,6,Oracle Confirms New Java 9 Features,java.dzone.com +0,1416504516,6,Hiring Philadelphia PA Java Software Developer,self.java +13,1416504070,10,IntelliJ IDEA 14 0 2 EAP 139 463 is Out,blog.jetbrains.com +0,1416501403,9,Restful designs and use of Spring MVC Spring Core,self.java +0,1416497233,2,Java question,self.java +1,1416496206,10,Using technical tests to screen candidates Good or bad idea,corejavainterviewquestions.com +23,1416495000,15,SPARC Needs 30 Java Devs in the Next 30 Days Want to Move to Charleston,sparcedge.com +15,1416490629,10,Spring MVC save memory with lazy streams in RESTful services,airpair.com +7,1416484667,7,OmniFaces 2 0 RC2 available for testing,arjan-tijms.omnifaces.org +8,1416477712,5,New shared OverlayPanel in PrimeFaces,blog.primefaces.org +0,1416450398,10,For loop isn t resetting the counter when it repeats,self.java +28,1416425857,19,My employer is rolling out a 20 week Java developer course for existing staff I would appreciate some advice,self.java +4,1416422056,10,Spring XD 1 1M1 debuts Apache Spark Kafka Redis support,spring.io +1,1416408602,5,Referencing file location in webapp,self.java +2,1416406407,6,A Skeptic s Adventure with Hazelcast,worthingtoncloud.com +2,1416405581,9,How to use angularJS directives to replace JSF components,entwicklertagebuch.com +3,1416403372,3,Interrupting Executor Tasks,techblog.bozho.net +2,1416400269,4,Java generics runtime resolution,github.com +0,1416399316,8,Help making an int work in a Jframe,self.java +2,1416399008,5,Java EE patterns book recommendations,self.java +26,1416391673,4,JPA Entity Graphs explained,radcortez.com +5,1416388503,4,LWJGL First 10 days,blog.lwjgl.org +1,1416369396,8,Hybrid Deployments with MongoDB and MySQL 3 Examples,java.dzone.com +0,1416369187,9,Data Inconsistencies on MySQL Replicas Beyond pt table checksum,java.dzone.com +4,1416361788,3,LWJGL 3 Help,self.java +1,1416346852,11,Read Write access to a virtual directory from JVM on windows,self.java +0,1416346026,6,Running Tomcat on a cell phone,self.java +4,1416345543,5,JSF in the Modern Age,infoq.com +2,1416344253,6,Advice With Java Scheduling Frameworks APIs,self.java +28,1416339971,6,Java 9 JSON Jackson and Maven,self.java +0,1416322993,6,Help with 50 state capitals program,self.java +17,1416320872,9,Can you safely serialize an object between java versions,self.java +2,1416313977,3,Nodeclipse Plugins List,nodeclipse.org +0,1416286021,5,Ninja JAX RS and Servlets,blog.ltgt.net +5,1416285351,28,Stack trace doesn t contain cause s stack trace Am I dreaming or what AFAIR exception stack traces used to contain child cause exception s stack traces too,self.java +0,1416283804,11,What s are the differences between a Set and an Array,self.java +6,1416280476,24,Was just shown this and even though I was explained to how it works all I can say is it s just like magic,xstream.codehaus.org +1,1416264872,7,JFrame slides in rather than just appearing,self.java +0,1416263262,8,Can someone please help with my Java program,self.java +11,1416260751,8,Is there anything like Flask framework for Java,self.java +2,1416255793,12,Help with making a final project for my class connect four game,self.java +1,1416251967,4,Java 8 0 Update,self.java +33,1416250708,4,JDK Dynamic Proxies explained,byteslounge.com +0,1416247314,4,Package JRE with Webstart,self.java +1,1416244336,3,Spring Boot Books,self.java +3,1416235792,6,Java only solution to Cache Busting,supposed.nl +7,1416218096,14,Java Weekly 46 Joda Time to Java8 new Apache Tamaya Java internals and more,thoughts-on-java.org +9,1416214352,4,PrimeFaces Elite Triple Release,blog.primefaces.org +9,1416212535,16,Latest NetBeans podcast discusses Java IDEs coding and how we can encourage more people into coding,blogs.oracle.com +18,1416209694,7,jcabi aspects Useful Java AOP AspectJ Aspects,aspects.jcabi.com +12,1416183119,5,Animated path morphing in JavaFX,tomsondev.bestsolution.at +10,1416179915,7,Java 8 s Date Time API Quickstart,blog.stackhunter.com +22,1416179517,8,Header based stateless token authentication for JAX RS,arjan-tijms.omnifaces.org +2,1416177752,14,SimpleFlatMapper 1 0 0b3 now with JPA column annotation support stream and iterator support,github.com +0,1416162424,20,Help installing java 7 for windows vista 32bit I can t find links anywhere or tutorials that aren t outdated,self.java +4,1416144644,6,Can you explain your system design,corejavainterviewquestions.com +3,1416138989,11,Little Known Things about the Eclipse Infocenter Language Switching 4 5,java.dzone.com +1,1416135007,17,Help Robotality beta test native desktop builds of its Java and libGDX based game Halfway on Steam,robotality.com +56,1416106872,8,Java is still the most popular language Woo,devsbuild.it +8,1416092625,5,What is an UnannType exactly,self.java +0,1416086874,9,Need help with reflecting an image in java eclipse,self.java +14,1416067168,6,Jetty 9 2 5 v20141112 Released,dev.eclipse.org +14,1416061009,7,HttpComponents Client 4 3 6 GA Released,mail-archives.apache.org +15,1416060785,5,Apache JMeter 2 12 released,mail-archives.apache.org +31,1416057349,7,Lambda2sql Convert Java 8 lambdas to SQL,github.com +14,1416050550,7,Dependency Injection with Dagger 2 Devoxx 2014,speakerdeck.com +0,1416048703,4,Java code output result,self.java +12,1416043992,8,Unorthodox Enterprise Practices presentation from Java ONE 2014,parleys.com +14,1416007682,10,TIL Java RegEx fails on some whitespaces SO link inside,self.java +0,1416001823,5,ICEfaces 4 0 Final Released,icesoft.org +12,1415987830,4,5 Evolving Docker Technologies,java.dzone.com +25,1415987728,6,Java 8 Collectors for Guava Collections,java.dzone.com +0,1415983694,5,Ajax for interacting with websites,self.java +10,1415977758,4,Java crawlers and scrapers,self.java +4,1415977567,3,Eclipse over Cloud,self.java +3,1415966246,7,using mysql with java on a lan,self.java +1,1415965262,8,IntelliJ IDEA 14 0 1 Update is Available,blog.jetbrains.com +4,1415962990,4,Typeclasses in Java 8,codepoetics.com +12,1415961520,14,What are the leading tools and frameworks for Java web applications development in 2014,self.java +3,1415960843,7,Has someone fiddled with the Currency JSR,self.java +7,1415959305,7,Java 8 s Date Time API Quickstart,blog.stackhunter.com +55,1415936509,24,Can someone explain Docker to me and whether its good for java backend servers and if so is it better than regular cloud VMs,self.java +11,1415933944,11,Whats a good idea for a program that s text based,self.java +5,1415928800,7,Object Oriented Programming and why is important,mfrias.info +11,1415901186,9,Does anybody of you use clean architecture in production,self.java +1,1415886314,9,Agile Smells Versus Agile Zombies in the Uncanny Valley,java.dzone.com +0,1415886200,10,Four Ways to Optimize Your Cluster With Tag Aware Sharding,java.dzone.com +61,1415845927,10,What is a good modern Java stack for web apps,self.java +25,1415844568,15,I m probably some of you s worst nightmare Can you help me not be,self.java +1,1415832099,11,Visualizing the class import network in 5 top open source projects,allthingsgraphed.com +7,1415821641,12,Do i need to learn native Hibernate or is JPA Hibernate enough,self.java +0,1415820550,22,DZone research SpringIntegration leads ESB space at 42 learn more about the 4 1 GA release now bit ly 1ECwXG4 java springio,spring.io +1,1415812860,8,Is there a non Eclipse analog to JIVE,cse.buffalo.edu +65,1415812022,18,NET core is now open source does r java have any opinions on how this will affect Java,blogs.msdn.com +4,1415802713,7,Websites apps for rust removal on java,self.java +0,1415793185,7,uniVocity parsers 1 2 0 is here,univocity.com +0,1415788645,8,What is the best way to lear Java,self.java +0,1415787857,7,Whitepaper Hazelcast for IBM for eXtremeScale users,hazelcast.com +22,1415781169,5,Java Annotated Monthly November 2014,blog.jetbrains.com +2,1415752071,9,Spring Framework Component Scanner in Executable jar not working,self.java +4,1415747581,12,Seeking information regarding getting a Java applet we ve developed digitally signed,self.java +1,1415739613,11,Top Java IDE Keyboard Shortcuts for Eclipse IntelliJ IDEA amp NetBeans,zeroturnaround.com +0,1415736684,6,Java Software Licensing API and Application,license4j.com +0,1415735958,3,License4J License Manager,community.spiceworks.com +8,1415735188,13,Learning Java Android Studio or Eclipse End goal is developing apps for Android,self.java +23,1415734878,11,Should I learn Java EE 7 or Spring Framework 4 x,self.java +11,1415732508,18,eBay Connecting Buyers and Sellers Globally via JSF and PrimeFaces handling more than 2 million visits per day,parleys.com +33,1415725485,6,The Complete Java Phone Interview Guide,self.java +2,1415723127,5,Netbeans IDE for Spring development,self.java +0,1415722919,8,hey guys can you check my code out,self.java +7,1415722386,9,Why would you use Spring MVC and AngularJS together,self.java +1,1415721700,3,OpenJDK vs oracle,self.java +4,1415721623,7,PriorityQueue and mutable item behavior Freenode java,javachannel.org +5,1415711463,4,Eclipse exit code 13,self.java +5,1415708774,9,EditBox Eclipse plugin highlighter of the source code background,editbox.sourceforge.net +78,1415707035,14,Jodd is set of Java micro frameworks tools and utilities under 1 5 MB,jodd.org +9,1415702632,8,An Entity Modelling Strategy for Scaling Optimistic Locking,java.dzone.com +6,1415702462,8,Testing HTTPS Connections with Apache HttpClient 4 2,java.dzone.com +0,1415674518,10,JRE8 Required Need some testing for this UI Based program,self.java +1,1415645315,6,Catching and implementing exceptions Freenode java,javachannel.org +2,1415645205,4,Update My TicTacToe game,self.java +21,1415642558,6,Tutorial sites for creating actual programs,self.java +4,1415615169,8,grant codeBase in java policy not taking effect,self.java +0,1415604487,24,Can someone explain this better for me I already downloaded the most recent version of java and what is the search field too broad,imgur.com +17,1415597956,10,Building Microservices with Spring Boot and Apache Thrift Part 1,java.dzone.com +8,1415597179,6,Missing Stack Traces for Repeated Exceptions,java.dzone.com +0,1415583622,10,Having trouble building a gridpane that changes depending on value,self.java +0,1415571052,15,java IntelliJIDEA 14 cannot run Spring Project with Tomcat but with Eclipse it runs smoothly,stackoverflow.com +1,1415564383,10,How to install and use the Datumbox Machine Learning Framework,blog.datumbox.com +4,1415548107,5,Just finished my TicTacToe application,self.java +0,1415531939,9,How can I install java without the toolbar crap,self.java +2,1415527226,15,Is there a Java IDE that can use a remote JDK JRE for each project,self.java +12,1415524851,5,Famous Java Apps UI solutions,self.java +10,1415515754,4,Any java bedtime videos,self.java +9,1415458064,7,OmniFaces 2 0 RC1 available for testing,arjan-tijms.omnifaces.org +0,1415455654,6,LWJGL Display update slowing down application,stackoverflow.com +57,1415453279,15,Conducted an interview for a senior Java developer where my questions too hard see inside,self.java +19,1415447424,7,Java Functions Every Java FunctionalInterface you want,github.com +50,1415403380,6,Short and sweet Java Docker tutorial,blog.giantswarm.io +28,1415395327,5,Java 8 for Financial Services,infoq.com +1,1415387850,5,Tomcat standalone vs Installation Windows,self.java +1,1415387170,12,JSF Versus JSP Which One Fits Your CRUD Application Needs Part 2,java.dzone.com +2,1415379661,18,Trying to get Java 7 on Mac no 1 7 0 jdk in Java Virtual Machines folder Halp,self.java +2,1415346242,24,How can I use printStackTrace from a Throwable or getStackTrace from Thread to see a running thread s called methods AND the initializers constructors,self.java +10,1415340528,4,Cool Raspberry Pi Ideas,self.java +10,1415331423,8,So I want to build an IRC client,self.java +1,1415312677,8,Create war with version but explode without it,self.java +5,1415301449,9,Providing alternatives for JSF 2 3 s injected artifacts,jdevelopment.nl +14,1415295146,3,JRebel 6 Released,zeroturnaround.com +3,1415286082,5,Event Driven Updates in JSF,github.com +2,1415284784,6,Dev of the Week Markus Eisele,java.dzone.com +47,1415284077,5,Better nulls in Java 10,blog.joda.org +8,1415283026,9,Live Webinar What s New in IntelliJ IDEA 14,blog.jetbrains.com +6,1415278452,8,Can someone ELI5 the hashcode method for me,self.java +13,1415273618,11,The difference between runtime and checked exceptions and using them properly,javachannel.org +6,1415272655,5,Java socket via proxy server,self.java +5,1415240966,8,Want to make something visual Looking for advice,self.java +7,1415239143,12,EasyCriteria has evolved to UaiCriteria New name and more features for JPA,uaihebert.com +78,1415228811,6,Why is dynamic typing so popular,self.java +6,1415228003,10,Hibernate doesn t use PostgreSQL sequence to generate primary key,self.java +3,1415225851,5,On Java Generics and Erasure,techblog.bozho.net +2,1415209015,7,Question Tomcat parallel deployment or hot deployment,self.java +2,1415206580,6,Injecting dependencies for scalability with Hazelcast,blog.hazelcast.com +3,1415205019,12,Microservices with the Spring Cloud 1 0 0M2 release train of projects,spring.io +1,1415202673,7,Looking for a Graph DB with OGM,self.java +4,1415197236,3,Maven with tomcat8,self.java +88,1415190437,5,IntelliJ IDEA 14 is Released,blog.jetbrains.com +2,1415189313,11,Censum 2 0 0 with Java 8 Support and G1 Analysis,jclarity.com +4,1415186395,12,Best or most widely used libraries that can do HMAC SHA1 encoding,self.java +3,1415184506,8,Building Bootful UIs with Spring Boot and Vaadin,java.dzone.com +0,1415184107,11,Calculate amp Find All Possible Combinations of an Array Using Java,hmkcode.com +6,1415183025,7,Infinispan 7 0 0 Final is out,blog.infinispan.org +48,1415180445,10,New fast hash Java implementations Murmur3 3 7 GB s,github.com +9,1415180157,7,Valhalla Aggressive unboxing of values status update,mail.openjdk.java.net +2,1415179996,11,Is there more to csv that just a comma separated String,self.java +0,1415156335,9,Whats Wrong Returns must return a type of double,self.java +0,1415154722,10,Help with multidimensional arrays no response in R programming help,self.java +0,1415147427,10,Why are conditional statements able to be formatted like this,self.java +8,1415142420,9,Developing WebGL Globe Apps in Java with Cesium GWT,cesiumjs.org +4,1415141432,6,Applying Java Code Conventions Using Walkmod,methodsandtools.com +12,1415125851,5,Java 8 Streams Micro Katas,technologyconversations.com +0,1415117511,3,Java blocks everything,self.java +0,1415116345,10,How to disambiguate Spring Bean references with the Qualifier Annotation,spring.io +54,1415114511,12,Beyond Thread Pools Java Concurrency is Not as Bad as You Think,takipioncode.com +0,1415113314,22,What s the hype about RESTful services Its the same thing as servlets which we have been using since the stone age,self.java +2,1415108075,17,Should i do a masters in IT I have a lot of experience as a Java Developer,self.java +18,1415104685,7,Spring Caching Abstraction and Google Guava Cache,java.dzone.com +0,1415104486,7,Provisioning with Ansible Within the Vagrant Guest,java.dzone.com +9,1415092952,7,Object Oriented Wrapper of Amazon S3 SDK,github.com +17,1415081822,6,Builder Pattern with Java 8 Lambdas,benjiweber.co.uk +4,1415076639,5,Help with intellij and github,self.java +0,1415068262,8,is there a solution manual for imagine java,self.java +1,1415066358,7,What Happened to the Spring MVC tutorial,self.java +0,1415065141,7,Question Deploying app to Tomcat vs WebSphere,self.java +1,1415056462,4,What can I expect,self.java +0,1415050470,13,Can anyone point me in the right direction for open source java projects,self.java +0,1415042802,4,Question about while loops,self.java +1,1415037852,6,Code style Where to put Override,self.java +2,1415037181,5,Practical uses for short type,self.java +3,1414993027,13,Where can I learn the basics of logging and Log4J in under 2hours,self.java +5,1414989254,2,JPA Joins,self.java +0,1414973063,30,I could use some help with a program I m writing for school I m not getting any errors on compile but something goes wrong when trying to get input,self.java +1,1414961642,13,Tried to implement the example but I got the error in the title,self.java +26,1414957117,17,Java Devs have any of you make the switch to functional programming Scala x post r learnprogramming,self.java +0,1414950242,4,Help with Java Error,self.java +4,1414950238,7,Rationale for new keyword being the language,self.java +17,1414944045,7,IntelliJ IDEA 14 RC 2 Looking Good,java.dzone.com +0,1414943902,5,Sorting Descending order Java Map,stackoverflow.com +20,1414938938,12,F X yz An open source JavaFX 3D Visualization and Component Library,birdasaur.github.io +7,1414925477,6,Apache Camel 2 13 3 Released,mail-archives.apache.org +0,1414919309,8,Looking for a partner to maintain WhateverOrigin org,self.java +30,1414893712,15,I want to get started learning web development but keep hearing that JSP is dying,self.java +8,1414882909,6,Are you doing the polygot boogie,self.java +7,1414864968,15,Turn a Client Server Socket chat To A Client Server SSl socket chat for security,self.java +7,1414849080,4,Hibernate collections optimistic locking,vladmihalcea.com +15,1414848662,11,How to Setup Custom SSLSocketFactory s TrustManager per Each URL Connection,java.dzone.com +5,1414848431,8,Eclipse shines light on cloud based app dev,javaworld.com +10,1414804811,7,Java EE process cycles and server availability,arjan-tijms.omnifaces.org +11,1414791963,15,Spring Integration 4 1 s Java DSL RC1 introduces deeper Java 8 Method Scope Functions,spring.io +13,1414783075,7,Using stability patterns in a RESTful architecture,javaworld.com +5,1414769137,6,writejava4me Easy code generation for Java,github.com +0,1414767199,7,Grails RAD development for UI is lacking,self.java +4,1414766584,12,A good servlet jsp book enough to move to spring hibernate etc,self.java +17,1414764704,12,Mysterious new Java EE 6 server shows up at Oracle certification pages,jdevelopment.nl +1,1414763746,7,Multi Tenancy with Java EE and JBoss,lambda-et-al.eu +29,1414754776,9,Zero allocation thoroughly tested implementation of CityHash64 for Java,github.com +9,1414735114,21,Java 8 Collect how to use the collect operation over Java 8 streams in order to implement functional style programming reductions,byteslounge.com +1,1414717439,18,Inexperienced Java programmer Do you guys think I could wing this and be able to pull it off,self.java +1,1414716545,7,When do I connect to a database,self.java +8,1414705482,7,Apache Maven Assembly Plugin 2 5 Released,maven.40175.n5.nabble.com +99,1414704097,14,slides Java 8 The good parts A lean amp comprehensive catchup for experienced developers,bentolor.github.io +10,1414702947,5,Netty 4 0 24 Final,netty.io +0,1414698050,4,Problems with Cmd Prompt,self.java +1,1414697909,12,any clever ways to ensure code coverage for XSLT in my application,self.java +1,1414696135,8,Question Java web development and hiding source code,self.java +6,1414684397,10,JaveLink Java s MAVLink implementation x post from r multicopters,github.com +3,1414680505,15,How would you go about making a program that allows multiple users to log in,self.java +41,1414667791,4,W3C Finalizes HTML5 Standard,java.dzone.com +0,1414666836,14,Idea for Java Simplified value range syntax if 0 lt idx lt myList size,self.java +0,1414661854,5,A boon to Java developers,self.java +1,1414635813,8,About to begin upgrading Hibernate versions lessons learned,self.java +25,1414634544,11,Java Robot Class I designed a Texas Hold em Poker Bot,self.java +5,1414629458,7,Why the JVM Development Tools Market Rocks,zeroturnaround.com +0,1414622159,4,Legacy Java Data Risk,waratek.com +8,1414608219,10,What are your opinions on Apache Wink Jersey and RestEasy,self.java +2,1414608164,4,Java 8u20 security question,self.java +9,1414606456,7,RichFaces 4 5 0 Final Release Announcement,bleathem.ca +0,1414604696,4,Help Object Oriented Programming,self.java +35,1414591453,7,RoboVM beckons Java 8 programmers to iOS,infoworld.com +4,1414575215,5,JavaOne 2014 Day Four Notes,weblogs.java.net +11,1414572714,9,Hazelcast 3 0 An Interview with Founder Talip Ozturk,blog.hazelcast.com +0,1414559615,6,When will Eclipse focus on UI,self.java +0,1414557287,5,Writing parameterized tests with TestNG,publicstaticvoidma.in +14,1414540166,4,ProGuard Real World Example,alexeyshmalko.com +0,1414531919,5,Know some Java What now,self.java +11,1414522614,17,I have hours a day I can just read not program any suggestions on content to study,self.java +1,1414515746,9,Spring Boot Play Grails analysis for RestFul Backend Chat,self.java +0,1414513138,5,Java student question about loops,self.java +1,1414509962,6,Looking for comprehensive java book s,self.java +8,1414509248,13,Why are you learning Java if you already know PHP C or RoR,self.java +7,1414490985,11,Develop and manage Java Apps with IBM Bluemix and DevOps Services,ibm.com +7,1414488042,10,Firebird Conference 2014 presentations and source code Jaybird and Jooq,firebirdnews.org +4,1414463123,5,Complete Beginner Help Needed Please,self.java +0,1414459585,4,Help with JSF Primefaces,self.java +1,1414453574,7,Can anything slow the Java 8 train,techrepublic.com +0,1414444710,7,Want to learn but not from scratch,self.java +5,1414437260,4,Multiline Strings in Java,github.com +1,1414433714,10,What to call a group of Repository Entity and Query,self.java +17,1414433261,13,Spring Integration 4 1 RC1 introduces web socket JDK8 support and much more,spring.io +48,1414431254,15,350 Developers Voted for Features in Java 9 Have They Decided the Same as Oracle,takipioncode.com +1,1414421506,14,Who are some notable people using JVM as its backend for their personal website,self.java +12,1414421116,10,Spring Security and AngularJS Authentication and Authorization a Whitelisting Approach,youtube.com +0,1414416837,10,Can someone help make a Java based installer for me,self.java +0,1414412103,16,What s the easiest for a program to check if a typed number is a prime,self.java +5,1414411242,7,How to get into Java Web development,self.java +1,1414405153,6,Spring Tool Suite web application tutorials,self.java +1,1414400073,13,JCDP a lib to print colored messages or debug messages on a console,diogonunes.com +3,1414391234,3,PrimeFaces Mobile DataTable,blog.primefaces.org +0,1414370956,6,Eclipse not working after Java update,self.java +2,1414368248,8,How would you format this method method signature,self.java +0,1414366880,7,Must have keyboard shortcuts for java programming,self.java +5,1414366320,9,What is the best way to learn java EE,self.java +0,1414361682,18,How might I go about making an instant messenger GUI similar to the gmail or Facebook IM bar,self.java +83,1414356987,11,Bill Gates answers questions about Java during a deposition 1998 video,youtube.com +1,1414356407,1,Exercises,self.java +2,1414355954,12,Struggling to understand enqueue in a linked list implementation of a queue,self.java +2,1414351241,3,JBoss rules help,self.java +1,1414346957,8,Eclipse isn t interfacing with the JavaFX project,self.java +0,1414326655,6,HOW to turn off eclipse tips,self.java +17,1414322051,5,Apache Log4j 2 1 released,mail-archives.apache.org +6,1414321187,5,Using a webcam with Java,self.java +9,1414300408,26,Can you please provide me requirements for a good Spring Hibernate Project that makes me use and learn Spring Core Security Web Services MVC and Hibernate,self.java +10,1414290938,8,What are some alternatives to DAO for JPA,self.java +0,1414282599,15,What libraries can give me a background application that can count keystrokes NOT A KEYLOGGER,self.java +2,1414280530,12,How efficient is Eclipse in dealing with deleting files and unnecessary information,self.java +3,1414270609,6,Before I get started on GUI,self.java +5,1414261835,3,Spring Tutorial Removed,self.java +10,1414256557,14,show r java a request router for java 8 comments and critics are appreciated,github.com +33,1414256339,7,What program can I make for practice,self.java +7,1414225195,20,Which part component of the JVM is responsible for allocating memory for objects when a constructor is invoked via new,self.java +6,1414222329,2,Jsoup help,self.java +13,1414213867,4,Is this bad practice,self.java +0,1414199754,20,How do I make it so other squares move independently without me having to hold a key on the keyboard,self.java +42,1414191029,6,JEP 218 Generics over Primitive Types,openjdk.java.net +0,1414183090,27,How do I get rid of this It s just annoying and makes what could be a fast line take twice as long as it should Eclipse,imgur.com +7,1414172829,10,Working with Java 7 security requirements for RIA hurdles encountered,self.java +0,1414172457,4,Java Boids Swarm intelligence,rawcoders.com +0,1414171835,4,java constructor overloading doubt,self.java +0,1414159627,5,Java A Beginner s Introduction,rawcoders.com +17,1414151605,12,Should I learn JSF Does it work with JQuery Bootstrap style design,self.java +6,1414147033,15,What is your favorite book exhaustive blog post about the new stuff from Java 8,self.java +0,1414143275,7,Addison Wesley eBook Processing XML with Java,freecomputerbooks.pickatutorial.com +8,1414138837,7,JSF 2 3 changes late October update,weblogs.java.net +1,1414130000,6,Spring AMQP 1 4 RC1 Released,spring.io +0,1414115881,3,help with JSON,self.java +0,1414112096,6,Good introduction guide references for Eclipse,self.java +55,1414109437,13,List of java encryption method examples with explanations on how why they work,cs.saddleback.edu +1,1414098210,4,Environment Variable in Tomcat,self.java +0,1414097458,5,Can you help with this,self.java +2,1414094291,7,HttpComponents Core 4 3 3 GA released,markmail.org +14,1414090594,5,High performance libraries in Java,javacodegeeks.com +3,1414086944,8,Tool for generating JUnit tests for Android Free,testdroid.com +0,1414083952,14,Learning Java Don t know why my teacher added an extra Scanner please explain,self.java +0,1414083027,13,Analyzing tricks competitors play making the claim that list price comparisons are misleading,planet.jboss.org +4,1414076916,10,Seeking advice on what to study after learning Core Java,self.java +4,1414076159,14,Configuring amp Running Specific Methods in Maven Projects in NetBeans IDE Geertjan s Blog,blogs.oracle.com +0,1414076082,5,Question Computing for kinetic energy,self.java +40,1414073628,12,Coming to Java from Python frustrated Any tips for connecting the dots,self.java +1,1414052045,6,Experiences of development using Virtualbox Linux,self.java +12,1414051357,4,Java Sleight of Hand,infoq.com +1,1414046236,10,How can I create a panel as a new frame,self.java +2,1414040701,7,What is the C equivalent of JEE,self.java +0,1414029547,17,I m receiving an error message every time I attempt to install JDK Details in the post,self.java +0,1414027598,11,create a stream builder of a given type other than Object,self.java +0,1414018458,6,Arrays While could use some help,self.java +0,1414007637,5,Which IDE IntelliJ or Eclipse,self.java +11,1414007309,5,Csv Parser Performance comparaison extended,self.java +0,1414005380,1,collaboration,self.java +0,1414002363,5,How to Manage pf Rules,prolificprogrammer.com +0,1413999581,9,Syntax error on token else delete this token ERROR,self.java +3,1413997232,8,Want to help write documentation for Spark Framework,self.java +0,1413996692,8,Need to enhance best practices in web frameworks,self.java +13,1413995892,9,CDI 2 0 first Face to face meeting feedback,cdi-spec.org +2,1413976741,2,Android develpment,self.java +0,1413971073,2,Storing SQL,self.java +2,1413967970,9,Java Error Tracker StackHunter v1 2 Available for Download,blog.stackhunter.com +3,1413941714,8,A new way to avoid SQL in Java,dbvolution.gregs.co.nz +5,1413930287,27,Can anyone recommend a good Java tutorial series video online class book that will have me build something from scratch all the way to a finished product,self.java +2,1413929999,2,Security settings,self.java +1,1413923712,5,MinuteProject Release 0 8 8,minuteproject.wikispaces.com +4,1413920694,9,ProjectHierarchy tries to reinvent Java using a NoDB database,projecthierarchy.org +2,1413916519,8,I have a bit of a installation conundrum,self.java +6,1413911027,12,A new free amp state of the art natural language processing library,blog.dlib.net +58,1413902021,7,Developers Are Adopting Java 8 In Droves,readwrite.com +19,1413900972,9,Why yet another MVC framework in Java EE 8,blogs.oracle.com +2,1413898079,7,Product for automatic implementation of web service,self.java +13,1413891318,7,Java dev and deployment operating systems choice,self.java +0,1413873490,9,How to install ask com toolbar on a smartcard,self.java +15,1413853433,5,Java Annotated Monthly October 2014,blog.jetbrains.com +28,1413828258,12,I figured out why Java updates never seem to work on Chrome,self.java +1,1413821267,4,Java Tutorial Through Katas,technologyconversations.com +6,1413815689,17,Java Developer Survey Gives Current Stats on Java 8 Apache Spark Docker Container Usage by Java Devs,java.dzone.com +0,1413812501,2,Priority queue,self.java +31,1413806800,9,Supercharged jstack How to Debug Your Servers at 100mph,takipioncode.com +0,1413798810,5,Java Console in gui form,self.java +7,1413796638,11,Java Weekly 16 Named Parameters Java Batch JavaOne Recordings and more,thoughts-on-java.org +3,1413775916,7,Which environment to use for JSF project,self.java +18,1413755589,9,Java oriented tech interview coming up what to expect,self.java +0,1413749978,5,Little help with java applets,self.java +5,1413747431,7,question about the rules of this subreddit,self.java +14,1413740831,6,Functional Programming with Java 8 Functions,blog.informatech.cr +5,1413723727,7,Parsing and Translating Java 8 lambda expressions,stackoverflow.com +80,1413717934,5,Why does everyone hate Eclipse,self.java +17,1413717811,9,New open source Machine Learning Framework written in Java,blog.datumbox.com +1,1413701007,7,trouble getting started with libGDX JAVA_HOME error,self.java +1,1413693019,12,A method annotation based contrast with bean annotation validator inspired by JUnit,github.com +0,1413686435,9,Ask Toolbar Bundle How is this still a thing,self.java +17,1413681808,4,Java Bytecode Viewer Decompiler,github.com +1,1413681183,11,Java Castor How to Generate an Attribute with an Embedded Colon,self.java +30,1413672976,13,How current are the Spring frameworks How do they compare to the alternatives,self.java +1,1413666549,11,JSF 2 3 Servlet 4 0 EG JavaOne meeting audio transcript,java.net +1,1413666526,11,what am I doing wrong with sorting an array of Objects,self.java +0,1413660987,3,CSV Parsers Comparison,github.com +5,1413653247,8,How to account for multiple attributes in XML,self.java +4,1413635819,14,Maven plugin for simple releasing It only updates automatically pom version as be needed,github.com +0,1413635725,7,Apache HttpComponents HttpAsyncClient 4 1 beta1 Released,mail-archives.apache.org +0,1413611764,11,Need help with putting all methods in one world frame turtle,self.java +43,1413611312,6,First JavaOne 2014 talks now available,parleys.com +5,1413597902,17,JRE 7 update 71 72 no longer honors auto configuration script in IE Anyone else seeing this,self.java +1,1413576705,3,Head First Spring,self.java +0,1413574434,22,so im going to start learning java and i want to make games like notch does any idea where i should start,self.java +2,1413570438,9,JSF Tip 63 Another way to override a renderer,weblogs.java.net +1,1413568549,3,JSF and Ajax,self.java +4,1413563944,6,Java Tutorial Through Katas Mars Rover,technologyconversations.com +0,1413560983,19,First time writing a blog post Decided to do it on Spring Batch Let me know what you think,makeandbuild.com +0,1413560041,6,Matching Latin characters with regular expressions,mscharhag.com +0,1413559769,3,Groovier Groovy DSL,eclecticlogic.com +5,1413554092,6,A list of Dependency Injection framework,self.java +0,1413552603,14,Log DEBUG level messages of the flow only if there is an exception error,self.java +0,1413515852,8,Having trouble understanding how to get this loop,self.java +2,1413515729,7,Simple component based full stack web framework,self.java +0,1413502555,8,How do I create a Node in java,self.java +2,1413497630,5,Java interfacing with roblox questions,self.java +3,1413493560,7,Setting up lwjgl for cross platform usage,stackoverflow.com +14,1413492590,11,What is the difference between an Interface and an Abstract class,self.java +0,1413485712,10,Can you please give examples of well known Java applications,self.java +6,1413482278,7,RichFaces 4 5 0 CR2 Release Announcement,bleathem.ca +0,1413463932,3,ArrayList advice please,self.java +1,1413441056,8,Having trouble with running code in code runner,self.java +44,1413432949,18,IDEs vs Build Tools How Eclipse IntelliJ IDEA amp NetBeans users work with Maven Ant SBT amp Gradle,zeroturnaround.com +11,1413424742,21,Gatling Load testing tool for analyzing and measuring the performance of a variety of services with a focus on web applications,gatling.io +0,1413415795,4,Help using Netbeans IDE,self.java +35,1413414735,6,Why should fields be kept private,self.java +3,1413414661,7,Thinking of porting some libraries to Java,self.java +6,1413405067,6,Maven Compiler Plugin 3 2 Released,maven.40175.n5.nabble.com +3,1413400849,9,Add version to war builds with jenkins or ant,self.java +0,1413400224,6,Does anybody else hate Eclipse rant,self.java +0,1413399249,14,Oracle keeps telling us that JSP is dead So what is a good alternative,self.java +1,1413390412,11,DAE find it difficult to add JPA support to your projects,self.java +0,1413387457,11,How to use MouseListener Interface to handle Mouse Events in Java,thecomputerstudents.com +13,1413363041,5,JSF 2 3 Inject ExternalContext,weblogs.java.net +17,1413346920,9,Difference between Java CPU 7u71 and PSU 7u72 release,blogs.oracle.com +0,1413332082,6,Interfacts abstract oop uncertain use case,self.java +11,1413327464,3,Little java project,self.java +0,1413311833,4,Need help learning Java,self.java +11,1413306379,5,OAuth 2 0 JASPIC implementation,trajano.net +76,1413296732,22,Java SE 8 is ready to debut as the default on Java com Java 7 SE Update 71 amp 72 Release today,blogs.oracle.com +18,1413285233,10,Looking for somewhere to learn ASM bytecode modification with Examples,self.java +0,1413284905,12,How do I block letters when I m doing a console calculator,self.java +6,1413245949,2,Collaboration project,self.java +10,1413236988,7,Large amount of resources about Spring Security,spring-security.zeef.com +11,1413228170,7,50 New Features of Java EE 7,java-tv.com +15,1413212918,6,Calling Java 8 functions from Scala,michaelpollmeier.com +2,1413207541,7,Gradle GORM Map to many performance question,self.java +3,1413201057,24,Are there other interpreters REPLs live evaluators like what is in Light Table for Python and JavaScript but for Java x post r learnprogramming,self.java +0,1413198613,10,View Source Code of A Java Class File 100 Working,frd4.com +8,1413197008,10,Java Weekly 15 JavaOne Lambdas authentication HTTP 2 and more,thoughts-on-java.org +3,1413189662,11,The road to Java EE 7 Liberty EE 7 October update,developer.ibm.com +60,1413178116,9,What exactly does IntelliJ do better than Netbeans Eclipse,self.java +0,1413170128,4,Length of an object,self.java +1,1413154358,7,Injecting domain objects instead of infrastructure components,mscharhag.com +0,1413145333,4,XWiki 6 2 1,xwiki.org +3,1413143561,8,Apache Maven WAR Plugin Version 2 5 Released,maven.40175.n5.nabble.com +3,1413133012,7,Any extensible Java based Cellular Automata engines,self.java +3,1413128323,8,JXTN LINQ extensions to Java 8 collections API,github.com +0,1413128163,2,Android Logic,self.java +13,1413119514,6,wollsmoth The unpleasantly pleasant Java obfuscator,bitbucket.org +73,1413114475,22,Do you know any fun projects in the open sorce that is written in Java and needs a helping pair of hands,self.java +0,1413111169,6,You shouldn t follow rules blindly,blog.frankel.ch +15,1413101072,12,Show r java Implementation of value based classes for JDKs 1 7,github.com +0,1413076077,3,Simple Android Question,self.java +36,1413056477,9,Spark Java A small and great Java web framework,sparkjava.com +6,1413043063,7,Single page menu with Spring MVC JSP,self.java +0,1413041316,6,Javamex Java tutorials and performance information,javamex.com +6,1413040269,6,Creating a simple JASPIC auth module,trajano.net +8,1413027572,6,The Heroes of Java Dan Allen,blog.eisele.net +1,1413024355,2,Dependency mediator,vongosling.github.io +43,1413022453,5,DL4J Deep Learning for Java,deeplearning4j.org +20,1413019655,8,Apache Commons Compress 1 9 Released 7zip fixes,mail-archives.apache.org +12,1413019584,6,Apache Tomcat 7 0 56 released,mail-archives.apache.org +5,1413018630,14,Xuggler easy way to uncompress modify and re compress any media file or stream,xuggle.com +0,1412994577,13,uniVocity parsers 1 1 0 released with TSV CSV and Fixed Width support,univocity.com +12,1412993462,8,Java threading library Threadly 3 0 0 released,self.java +1,1412991547,14,How can I include a library in my assignments and still have it compile,self.java +36,1412963281,10,Video JavaOne Keynote about Java 8 Java 9 and beyond,medianetwork.oracle.com +0,1412955233,9,My first very self made programm in java German,puu.sh +5,1412952690,7,Java chat app with sockets need help,self.java +6,1412951997,4,java net MulticastSocket Example,examples.javacodegeeks.com +2,1412950988,12,Nginx Clojure v0 2 6 released Fix bugs of dynamic proxying balancer,self.java +12,1412930968,4,GlassFish Tools for Luna,blogs.oracle.com +8,1412929605,6,looking for web mvc platform advice,self.java +2,1412924675,14,Bayou HttpServer v0 9 7 release supporting CONNECT method for acting as HTTPS proxy,bayou.io +0,1412904770,5,Import an entire classes methods,self.java +0,1412902229,5,Need help with switch method,self.java +65,1412892018,9,Google asks Supreme Court to decide Android copyright case,javaworld.com +1,1412879608,4,What is Typesafe Activator,typesafe.com +6,1412879484,8,How A Major Bank Hacked Its Java Security,darkreading.com +6,1412874130,6,Question about JBoss and Unit testing,self.java +41,1412865336,19,People that own Effective Java by Joshua Bloch How do you apply concepts to the actual code you write,self.java +0,1412860423,11,What is the simple way to repeat a string in Java,stackoverflow.com +6,1412853800,18,Fresh unzip of Eclipse 4 4 1 throws exception right away release happened without even starting it once,bugs.eclipse.org +14,1412840971,8,Who s using RoboVM x post r programming,blog.robovm.org +1,1412821357,11,java output to file problem Outputting chinese characters and inexplicable symbols,self.java +83,1412812247,9,3 Ways IBM is bringing GPU Computing to Java,devblogs.nvidia.com +8,1412807501,8,Infinispan 7 0 0 Candidate Release 1 Available,blog.infinispan.org +0,1412801448,3,Graphics in java,self.java +0,1412789648,15,Using Java 8 s Date and Time API for delaying failed tests after a refactoring,dzone.com +27,1412787682,11,I Wish Other Text Programs word Utilized Some IDE based features,self.java +16,1412786902,10,Interview with Java Stalwart Peter Lawrey Chronicle Stackoverflow and Performance,jclarity.com +10,1412786580,8,JavaOne Hazelcast Announces JCache Support amp JCP Run,infoq.com +1,1412777731,7,Code Snippet Mail Approvals with Spring Integration,blog.techdev.de +4,1412776337,6,Digraphs Dags and Trees in Java,stevewedig.com +0,1412774068,13,New to Java Taking AP Computer Science and I m lost Please help,self.java +1,1412756796,5,JavaOne 2014 Day One Notes,weblogs.java.net +13,1412750802,8,Alertify4J Better alerts and notifications for Java applications,github.com +1,1412735070,11,Is there a way to do anonymous arrays in Java 8,self.java +0,1412734908,21,New to this subreddit currently in an OOP course which focuses on Java Having a bit of a hangup help appreciated,self.java +2,1412726746,3,Java Development Environments,self.java +10,1412713611,12,SimpleFlatMapper 0 9 8 released Fast lightweight mapping from database and csv,github.com +3,1412684008,13,What is the best technique to learn Data Structures and Algorithms in Java,self.java +21,1412670874,9,What would your typical Java developer CV look like,self.java +15,1412670424,6,Weld 3 0 0 Alpha1 released,weld.cdi-spec.org +9,1412667441,4,PrimeFaces 5 1 Released,blog.primefaces.org +0,1412660249,1,NullPointerException,self.java +0,1412653122,8,Can I generate int variables with a loop,self.java +14,1412649793,9,What are some must learn libraries for game dev,self.java +0,1412633424,2,College project,self.java +0,1412614047,3,Black jack help,self.java +0,1412607588,9,Does setLenient false do anything when calling simpleDateFormat format,self.java +2,1412607532,9,Questions about FX based kiosks x post r javafx,self.java +11,1412589467,9,Thread pool configuration for inbound resource adapters on TomEE,robertpanzer.github.io +9,1412578751,9,j u Random sampling How to introduce targeted bias,self.java +2,1412554061,7,JSP Java and sending data on click,self.java +6,1412545147,8,should you concentrate on just one programming language,self.java +0,1412526151,9,Trouble with math arithmetic operators and the percent operator,self.java +0,1412524295,7,Apache XML Graphics Commons 2 0 Released,mail-archives.apache.org +35,1412520579,11,Best NLP Natural Language Processing Solution in Java preferrably Open Source,self.java +0,1412520201,45,I have created a very basic digital diary there is still a lot to adjust but I decided to release it today I did this to see my skills at programming in Java but it seems that I still need to work on my GUI,filedropper.com +7,1412508010,7,RichFaces 4 5 0 CR1 Release Announcement,bleathem.ca +0,1412504897,16,What s the difference between a private method and a public method defined within a class,self.java +6,1412503701,16,Data from 2 or more database tables to one Java object JdbcTemplate How to implement it,self.java +0,1412495904,12,List of Must Knows and ToDos When Migrating To IntelliJ From Eclipse,sdchang.com +3,1412491622,4,Checkstyle errors in Java,self.java +1,1412486148,9,Re Java Co op Interview Showing off Project Code,self.java +2,1412474057,13,Benchmarking every working CSV parser for Java in existence x post from programming,github.com +6,1412459159,5,Which weaknesses does JSF have,self.java +1,1412456453,10,Does the java compiler javac optimize a large boolean array,self.java +9,1412451901,8,REST API Visualizer for any java REST frameworks,apivisualizer.cuubez.com +74,1412434905,17,What should a programmer really know and or have experienced before attaining the title senior software engineer,self.java +8,1412431363,8,Using Raygun and Proguard There and Back again,spacecowboyrocketcompany.com +3,1412430393,14,Can you provide an example where you used Adapter Design Pattern in your project,self.java +0,1412426725,8,do i really need java on Windows 7,self.java +1,1412425675,9,How to download Eclipse for Mac OSX 10 6,self.java +0,1412410556,8,lisztomania Get percentage based sub lists of Lists,github.com +23,1412409254,9,Announcing Jetty 7 and Jetty 8 End of Life,jetty.4.x6.nabble.com +0,1412392759,19,Newbie Is there an animation tool to display how your Java code works as it executes A visual compiler,self.java +0,1412383868,6,Help with making a simple table,self.java +21,1412358367,10,Can anyone recommend a good IDE for a beginner programmer,self.java +1,1412357008,12,Anyone know a great Java String parsing Library for extracting Image Links,self.java +0,1412350973,10,Detecting Roots in a Graph and a challenge Freenode java,javachannel.org +4,1412350099,11,Rant Is Java community any good Better than PHP at least,self.java +0,1412348944,15,Writing a program that shows busy or available status for techs on a local network,self.java +1,1412340297,6,Help with time zones and conversions,self.java +2,1412327504,7,O R like mapping to Hashmaps framework,self.java +0,1412324100,17,Migrating 3 million cities into your database in around a minute with the uniVocity data integration framework,github.com +35,1412321867,18,Are you looking for a Xml free open source Java rules engine Take a look at Easy Rules,easyrules.org +7,1412296052,6,Reducing the frequency of GC pauses,plumbr.eu +18,1412288623,20,When importing assets to Java why not just import the all inclusive asterisk everytime Is it to save memory space,self.java +0,1412274647,1,Arrays,self.java +3,1412271365,6,Architecting a servlet app for scalability,self.java +25,1412265985,8,CERT Java Coding Guidelines Now Available Free Online,securecoding.cert.org +28,1412265691,21,Java SE 8 Update 20 no Medium security setting anymore Applies to RIAs unsigned applications that request all permissions are blocked,java.com +12,1412262005,15,CDI Properties on GitHub Leverage resource bundle management in your CDI enabled Java EE application,github.com +7,1412253665,6,Classpath scanning with Spring Eclectic Logic,eclecticlogic.com +10,1412248881,6,The path to cdi 2 0,slideshare.net +1,1412247746,14,Im missing something very simple with Maven and it making me rage now help,self.java +13,1412224412,6,Apache Tomcat 8 0 14 available,mail-archives.apache.org +3,1412224376,7,Apache Maven Changes Plugin 2 11 Released,maven.40175.n5.nabble.com +1,1412211000,3,Casting objects explicit,self.java +0,1412194743,53,Noob After only a 2 hours lesson in school with Java I managed to make a fully functioning bot in less than 15 minutes qhen I got home an hour later without any help Java really is an easy language This year is going to be so much fun X post r pcmasterrace,i.imgur.com +1,1412193467,9,Are there any free resources to program Android apps,self.java +2,1412193105,20,I have trouble being purely object oriented when I use EJBs and JPA Is there a solution to this problem,self.java +3,1412189126,8,gson vs json simple for simple data transmission,self.java +39,1412170475,18,A good explanation of working with floats in Java Why does adding 0 1 multiple times remain lossless,stackoverflow.com +12,1412166727,16,Are you making sure you have your permissions manifest and code signing done in your JARs,oracle.com +26,1412158066,10,Project Valhalla Notes about Valhalla from a non Java perspective,mail.openjdk.java.net +0,1412148666,5,How to start learning DI,self.java +0,1412138957,5,Apache Cayenne ORM 3 1,markmail.org +1,1412138381,6,Easy rules In memory rules engine,speakerdeck.com +0,1412126767,4,help with a homework,self.java +2,1412123936,31,So I had to make a town for geometry My teacher told it s to be creative so I used java as a topic I hope I get a good grade,imgur.com +15,1412113555,8,Your top 3 design patterns for daily use,self.java +4,1412109040,10,Why does Oracle s Java com still recommend Java 7,self.java +2,1412101332,9,How many java time zones follow the same rules,self.java +5,1412098297,5,Front end developer learning Java,self.java +9,1412097982,6,PrimeFaces Elite 5 0 10 Released,blog.primefaces.org +1,1412090160,6,Anyone have experience using Play Framework,self.java +2,1412086367,8,Reasons to stick with Java or dump it,infoworld.com +3,1412073811,7,Does containers cause overhead in Java EE,self.java +0,1412070588,6,Java EE 8 on its way,zishanbilal.com +0,1412068356,4,Help with changing _JAVA_OPTIONS,self.java +11,1412065556,11,Oracle highlights continued Java SE momentum and innovation at JavaOne 2014,oracle.com +1,1412024328,8,How to manually generate a serialVersionUID with Eclipse,self.java +2,1412018516,13,Java Weekly 13 Everything Java real Java EE new config JSR and more,thoughts-on-java.org +56,1412018216,6,libGDX wins Duke s Choice Award,badlogicgames.com +5,1412000148,17,Eclipse Debug Step Filtering Found out about this today so handy when debugging code that uses reflection,java.dzone.com +71,1411995862,9,Eclipse 4 4 SR1 once again completely silently released,jdevelopment.nl +0,1411994808,10,Book Or Open Source Project To Learn Spring Best Practicies,self.java +0,1411953130,4,Converting Decimals to Time,self.java +2,1411949560,15,Java Question regarding new keyword and accessing classes in project Difference between same resultant code,self.java +4,1411936575,4,LonelyPlanet lighting in LWJGL,youtube.com +5,1411935984,5,JavaOne 2014 Keynote Live Streaming,oracle.com +38,1411935763,6,Welcome to JavaOne 2014 Opening Video,youtube.com +10,1411931290,6,Attending JavaOne Check this guide directory,javaone-2014.zeef.com +12,1411919230,9,OpenJDK project opens up Java 9 to collaboration experimentation,infoworld.com +18,1411916780,7,Safe Publication and Safe Initialization in Java,shipilev.net +5,1411911116,3,My First Program,self.java +53,1411898208,15,Oracle Labs releases a technology preview of its high performance GraalVM and Truffle JavaScript project,oracle.com +0,1411870480,9,My first completed Java project Pretty useful for men,self.java +0,1411812523,9,New to java Need some help with If statements,self.java +4,1411808920,2,Javadoc problem,self.java +6,1411774633,7,Apache Jackrabbit Oak 1 0 6 released,mail-archives.apache.org +0,1411774451,8,Help Need some help figuring out my code,self.java +8,1411774363,19,restCommander Fast Parallel Async HTTP client as a Service to monitor and manage 10 000 web servers Java Akka,github.com +0,1411773375,16,SmartFrog powerful and flexible Java based software framework for configuring deploying and managing distributed software systems,smartfrog.org +4,1411773090,9,Java Pesistence like API for the Active Record pattern,github.com +1,1411772693,5,Tapestry 5 4 beta 22,tapestry.apache.org +0,1411752758,6,Help with templating in Jersey 2,self.java +23,1411746726,13,As an IT contractor what should I know and ask about my contract,self.java +20,1411745562,7,Java Operator Overloading give it some love,amelentev.github.io +0,1411743632,8,Importing frameworks into eclipse Specifically the JZY3d framework,self.java +0,1411734929,6,JAVA SWING GUI PROGRAMMING TUTORIAL SERIES,youtube.com +2,1411724275,9,JBoss EAP Wildfly Three ways to invoke remote EJBs,blog.akquinet.de +16,1411705011,7,Pros and Cons of Application Plugin Development,self.java +0,1411699511,9,Binary Tree 20 Questions Like Game Using Binary Tree,self.java +3,1411695832,15,writing a small program assignment in java using dr java issue with the program running,self.java +0,1411690934,5,Recursion in Game of Nim,self.java +0,1411685728,10,My first java program in two years No tutorials used,self.java +4,1411679784,6,Apache MINA 2 0 8 release,mail-archives.apache.org +3,1411679642,6,RunDeck Job Scheduler and Runbook Automation,rundeck.org +9,1411679122,9,SimpleFlatMapper 0 9 4 with QueryDsl support and CsvMapper,github.com +1,1411670791,5,Intelligent Mail Barcode Native Encoder,bitbucket.org +9,1411669647,10,I m not sure I understand what Java Pathfinder is,self.java +9,1411665652,3,Open source suggestions,self.java +2,1411661612,5,Spring Boot and STS Gradle,self.java +16,1411656492,11,What are some solutions to The Codeless Code Case 83 Consequences,thecodelesscode.com +27,1411651213,44,Some time ago I stumbled upon a server side tool that could track and monitor exceptions and show you the source code and where the exception was thrown from in a well presented manner and nice UI Does anybody remember what it was called,self.java +1,1411649140,14,Introducing frostwire jlibtorrent a Java based libtorrent wrapper API by the makers of FrostWire,frostwire.wordpress.com +3,1411640199,5,Anyone has experience with Netty,self.java +0,1411630615,8,Java parser that parses java files Yo dawg,self.java +0,1411629626,17,I need a Java event listener that will call a function whenever a text input is changed,self.java +1,1411601547,7,Is this a pattern If so which,self.java +0,1411600400,17,for System out println jdjdjjdd Why does this work And more importantly Why does this cause flashing,self.java +8,1411591580,16,Java amp FFMPEG Youtube Video downloading meta search normalization silence removal and coverting from 150 sites,github.com +1,1411580646,6,Unit testing lambda expressions and streams,java8training.com +5,1411572068,7,Watching HotSpot in action deductively Freenode java,javachannel.org +47,1411569820,6,A Short History of Everything Java,zeroturnaround.com +3,1411567871,6,Is any of you using jcenter,self.java +10,1411564469,11,Worth waiting until IntelliJ IDEA 14 before buying a personal licence,self.java +5,1411559837,7,Jackson use custom JSON deserializer with default,self.java +4,1411548022,6,Fast XML Parser gt MySQL DB,self.java +0,1411547282,16,New to Java and want to know where is the best free resource to learn it,self.java +0,1411534247,4,Intro to java question,self.java +0,1411525341,5,New to Java quick question,self.java +0,1411511821,5,ICEpdf 5 1 0 released,icesoft.org +20,1411502727,10,Reduce Boilerplate Code in your Java applications with Project Lombok,mscharhag.com +142,1411494272,7,JetBrains Makes its Products Free for Students,blog.jetbrains.com +0,1411493924,8,Fastest way to learn the essentials in Java,self.java +5,1411473382,7,Everything about Java EE 8 fall update,javaee8.zeef.com +1,1411467622,4,JBoss EAP JNDI Federation,blog-emmartins.rhcloud.com +35,1411460370,6,Java EE 8 JSRs Unanimously Approved,blogs.oracle.com +0,1411444071,14,Is there a way to link arrays or lists in parallel to one another,self.java +0,1411442499,5,java help for converting temperature,self.java +0,1411437759,23,Learning Java just started If I want to review the documentation should I download the docs for JDK 7 JDK 8 or both,self.java +8,1411436435,8,Does anyone here know how to use Lanterna,self.java +0,1411434246,2,First Program,self.java +0,1411433371,13,Dragging images into the eclipse project tree turns file into text file help,self.java +0,1411426511,26,So I built a great database in MS Access and now I want to make it in Java but I have no clue where to start,self.java +0,1411426360,3,Best book guides,self.java +6,1411419381,8,Apache Maven Dependency Plugin Version 2 9 Released,maven.40175.n5.nabble.com +0,1411414328,6,Modern java approaches to web applications,self.java +0,1411401176,5,Modern Java Approval Testing port,github.com +14,1411395274,7,Core Support for JSON in Java 9,infoq.com +8,1411391173,11,Java Weekly 12 JavaEE Boot Java 9 functional programming and more,thoughts-on-java.org +3,1411389856,5,Updating a JProgressBar Freenode java,javachannel.org +101,1411377872,9,Move help wanted questions to javahelp yay or nay,self.java +8,1411371308,5,PrimeFaces 5 1 RC1 Released,blog.primefaces.org +3,1411370370,8,How to Access a Git Repository with JGit,codeaffine.com +0,1411370316,4,Make a project online,self.java +15,1411363064,14,Everything You Never Wanted to Know About java util concurrent ExecutorService But Needed To,blog.jessitron.com +0,1411355432,3,Help a beginner,self.java +0,1411350493,23,Any way when using java swing to force a popup of a gif on focus lost if it doesn t meet certain requirements,self.java +0,1411333109,6,Quick question about decimals in java,self.java +0,1411320572,7,Help with a piece of my coding,self.java +0,1411316955,10,Does anyone know why this code is giving me errors,self.java +21,1411311359,12,Unit testing and Date equality how Joda Time helps and alternative approaches,resilientdatasystems.co.uk +0,1411305815,11,I need help with a project that I have in mind,self.java +14,1411304119,5,Apache Tez cluster on Docker,blog.sequenceiq.com +0,1411294822,29,H ng d n h c l p tr nh Java t c b n n n ng cao seri h c l p tr nh hi u qu,cafeitvn.com +0,1411290521,7,Question about Inheriting Data Fields and getters,self.java +42,1411289076,7,Software Engineer by Day Designer by Never,blog.aurous.me +12,1411282128,9,Will Double parseDouble always return the same exact value,self.java +0,1411270877,2,Constructor Parameters,self.java +0,1411266795,21,Hello I have 2 lines reader close and writer close and in Eclipse it ways they cannot resolve Why is this,self.java +6,1411250303,20,I made a Java program that combines random picture of Gary Busey with a random Nietzche quote You re welcome,github.com +0,1411245189,9,So whatever happened to that security issue with Java,self.java +0,1411242478,16,What is wrong with my if else statement Seems to be ignoring on of my statements,self.java +0,1411240238,7,Library Feedback Statically typed SI Unit Conversion,self.java +0,1411235350,9,Trying to force the user to enter a number,self.java +0,1411230545,6,Java Variables Examples 1 Instance Variables,lookami.com +0,1411212420,6,Real life applications of Data Structures,self.java +0,1411206393,9,Do subclasses inherit the data fields of the superclass,self.java +0,1411170533,9,never programmed before and having trouble with java math,self.java +0,1411140094,5,Lemon Class Missing a Method,self.java +0,1411139837,20,One of my bests programs Converter I ll add more stuff to convert in a future More info in comments,github.com +9,1411139731,10,What every Java developer needs to know about Java 9,radar.oreilly.com +52,1411139025,6,Happy talk like a pirate day,self.java +0,1411138457,9,WTF Java Why not overload for java lang Long,stackoverflow.com +0,1411131190,19,Anyway I can pass a List of my Objects and my Object as a parameter using the same parameter,self.java +10,1411086966,8,4 Security Vulnerabilities Related Coding Practices to Avoid,vitalflux.com +10,1411077004,6,Transitioning from C WPF to Java,self.java +8,1411075806,13,modernizer maven plugin detects use of legacy APIs which modern Java versions supersede,github.com +4,1411075742,6,Cate Continuation based Asynchronous Task Executor,github.com +126,1411074906,9,12 Java Snippets you won t believe actually compile,journeyofcode.com +2,1411071279,12,AngularJSF Does combining Angular and JSF create a princess or a monster,theserverside.com +0,1411070360,26,Stack and Queue in Java I know what they are in theory but I don t why to use them why they are useful to know,self.java +0,1411069093,13,Here s some code for some awesome random lines No expo class XD,self.java +0,1411067725,10,Espresso in chocolate dipped waffle cup Bite into your java,usatoday.com +6,1411066724,10,Spotlight on GlassFish 4 1 3 Changing the release number,blogs.oracle.com +2,1411063076,13,limit exposure to a dependency while still providing access to a common function,self.java +11,1411055921,9,Overview of JBoss EAP Wildfly Management Interfaces and Clients,blog.akquinet.de +0,1411039314,3,Help with DataInputStream,self.java +7,1411037728,7,Configuration can do wonders to your throughput,plumbr.eu +14,1411028790,14,10 Reasons Why Java Rocks More Than Ever Part 3 amp 8211 Open Source,zeroturnaround.com +0,1410994780,3,java Math Sqrt,self.java +2,1410989326,3,Static class reference,self.java +7,1410988904,5,Java EE Configuration JSR Deferred,blogs.oracle.com +3,1410986276,6,generating password digest for ws security,self.java +8,1410983640,3,Replicating Reference parameters,self.java +6,1410976656,7,WalnutiQ Biologically inspired machine learning in Java,github.com +1,1410975968,10,Best way for a beginner to learn Programming especially java,self.java +18,1410974155,4,Advantages Disadvantages of WebSphere,self.java +8,1410972839,18,Eclipse and Egit users Do you create your repos in the project parent folder or home yourname git,self.java +17,1410970078,6,Infinispan 7 0 0 Beta2 Released,blog.infinispan.org +12,1410967117,6,Dependency Injection with Java 8 Features,benjiweber.co.uk +6,1410957747,13,Release dates for bXX releases of Java such as 7u67 b33 if any,self.java +15,1410954179,8,Implementing container authorization in Java EE with JACC,arjan-tijms.omnifaces.org +8,1410953978,13,Java intellij debugging question Comparing object snapshots between test runs Is it possible,self.java +13,1410953737,5,Core java questionnaire for experienced,self.java +1,1410951484,7,Taint tracking protects from unvalidated input vulnerabilities,waratek.com +9,1410949078,8,JPA s FETCH JOIN is still a JOIN,piotrnowicki.com +52,1410943373,10,Why String replace in a loop is a bad idea,cqse.eu +9,1410943128,7,HZ 3 3 Client Performance Almost Doubled,blog.hazelcast.com +0,1410939603,8,What is the need for Atomics in java,self.java +30,1410932038,6,Anyone doing NFC programming in Java,self.java +0,1410928633,12,How we write unit test against database in a Spring based application,esofthead.com +0,1410922987,10,Best sorting algorithm for a relatively small group of numbers,self.java +12,1410922784,11,What is an anonymous inner class and why are they useful,self.java +0,1410910969,4,Moving Object Towards Mouse,self.java +7,1410908932,7,Detecting JSF Session Bloat Early with XRebel,zeroturnaround.com +1,1410906038,14,A really stupid question that I m just absolutely stuck on int vs double,self.java +15,1410880123,7,An example project on Tomcat using JNDI,javachannel.org +47,1410879311,10,Videos from 146 JavaZone talks 6 000 hours of video,2014.javazone.no +5,1410877812,3,Primitive Copy Generators,self.java +2,1410877474,8,help with ZooKeeper s wrapper Curator amp JUnit,self.java +44,1410861209,4,Java 9 Features list,self.java +6,1410859233,6,must know library pattern methodology frameworks,self.java +1,1410850985,4,Karel J Robot help,self.java +14,1410849755,6,Interview tomorrow expecting assessment any tips,self.java +0,1410837162,7,How to make a graph in lwjgl,self.java +2,1410835620,4,Scalable Web App Q,self.java +0,1410830408,6,Need some help with my Homework,self.java +0,1410829407,11,Could someone explain to me the evolution of Java web technologies,self.java +0,1410824553,10,No Errors But My Code Still Won t Output Anything,self.java +6,1410820081,9,Getting the target of value expressions in Java EE,arjan-tijms.omnifaces.org +20,1410818795,6,WildFly 9 0 0 Alpha1 Released,lists.jboss.org +5,1410818359,4,Java 8 upgrade survey,survey.qualtrics.com +5,1410785948,12,What s New in Java The Best Java Resources Around the Web,javais.cool +6,1410781746,13,Monitoring the JBoss EAP Wildfly Application Server with the Command Line Interface CLI,blog.akquinet.de +0,1410779135,8,What is Encapsulation and Why we need it,prabodhak.co.in +10,1410779064,13,Java Weekly 11 Missing stream method Java 9 overview lost updates and more,thoughts-on-java.org +36,1410767265,11,Java 8 Not Just For Developers Any More Henrik on Java,blogs.oracle.com +16,1410766339,10,LightAdmin Pluggable CRUD administration UI library for java web applications,lightadmin.org +1,1410761793,5,Another valid Open Closed principle,blog.frankel.ch +6,1410755754,10,What are some good intermediate open source programs to review,self.java +2,1410747044,5,Any help would be appreciated,self.java +11,1410716257,12,Netbeans IDE running very slow and laggy how can I fix this,self.java +0,1410712609,14,Anyone have any working java code to log into facebook not using their api,self.java +3,1410704947,7,Quickest way to setup Java dev environment,self.java +0,1410692485,13,Pluggable UI library for runtime logging configuration in Java web application Spring WebSockets,la-team.github.io +0,1410690155,13,is there any website that can teach me open source software s code,self.java +4,1410690083,6,JSF 2 2 HTML5 Cheat Sheet,beyondjava.net +0,1410689703,7,Mutable keys in HashMap A dangerous practice,java-fries.com +0,1410688318,12,Pluggable UI library for runtime logging level configuration in Java web application,github.com +3,1410660302,4,Design Pattern Bussines Delegate,self.java +9,1410646965,7,Scared to Apply for Java Co op,self.java +0,1410634015,6,My Java MMO First Java Game,self.java +0,1410632115,5,Is C Java made right,self.java +2,1410609079,6,Apache OFBiz 12 04 05 released,mail-archives.apache.org +2,1410600957,12,Liberty Java EE 7 beta now implements Java Batch and Concurrent specs,developer.ibm.com +0,1410600437,7,RichFaces 4 5 0 Beta2 Release Announcement,bleathem.ca +16,1410583105,8,Tips for learning java having trouble in classroom,self.java +29,1410559915,6,BalusC joins JSF 2 3 EG,jdevelopment.nl +2,1410549406,9,Help with organizing this snippet More info in comments,gist.github.com +3,1410543061,5,A Question About Background Processes,self.java +0,1410535143,16,I have installed and re installed Java 3 times now and it s still not verifying,self.java +21,1410533178,13,Why do you instantiate local variables on a separate line from the declaration,self.java +6,1410532029,12,What is the purpose of having upper bounded wildcard in Collection addAll,self.java +4,1410530250,12,Moving past Java towards front end web interfaces which direction to take,self.java +1,1410529637,5,Looking to get into Programming,self.java +19,1410526102,13,My first Maven published lib a set of Hamcrest matchers for java time,github.com +7,1410521607,8,How JSF works and how to debug it,blog.jhades.org +2,1410519035,10,TomEE Security Episode 1 Apache Tomcat and Apache TomEE S,tomitribe.com +4,1410485778,3,separation of concerns,self.java +9,1410485584,3,Multi Computer Develoment,self.java +55,1410484318,8,Do Java performance issues exist in modern development,self.java +0,1410479013,4,Convert string to int,self.java +7,1410469463,9,Best practices deploying java ears on websphere and tomcat,self.java +2,1410466453,9,Java COM bridge advice implementing excel RDT in java,self.java +6,1410428399,10,How does REST and SOAP web services actually work internally,self.java +2,1410426731,9,What is the alternative to Web Services JSP Swing,self.java +32,1410423725,4,Lambda for old programmers,self.java +2,1410420214,10,Issues with eclipse in two environments PC amp amp OSX,imgur.com +1,1410419085,6,Interacting with a specific object instance,self.java +0,1410417913,1,HELP,self.java +0,1410398215,7,Best books to study for Java Certifications,self.java +6,1410398073,6,What s next after basic Java,self.java +5,1410380483,14,SimpleFlatMapper v0 9 1 released JdbcTemplate support complex object and list mapping lambda support,github.com +2,1410377272,9,Need help with Applet loading an image in browser,self.java +0,1410376251,3,Java Result 1073741819,self.java +3,1410365112,9,Data Pipeline 2 3 4 includes Twitter search endpoint,northconcepts.com +16,1410364298,11,Using Spring MVC with JRebel Adding and autowiring beans without restarting,zeroturnaround.com +0,1410361164,8,Java is good but i dont know how,self.java +3,1410358711,2,Generics question,self.java +7,1410352143,9,When the Java 8 Streams API is not Enough,blog.jooq.org +8,1410351711,13,What is the best component library to start off with when learning JSF,self.java +15,1410342858,7,Simple Fuzzy Logic Tool for Java 8,github.com +5,1410342368,4,Typeclasses in Java 8,self.java +12,1410338507,7,JUnit in a Nutshell Unit Test Assertion,codeaffine.com +5,1410336688,7,Would like my code to be reviewed,self.java +21,1410334750,13,Hazelcast 3 3 Tops Charts in In Memory Data Grid Moves Into NoSQL,blog.hazelcast.com +6,1410312025,7,Apache DeltaSpike 1 0 2 is out,deltaspike.apache.org +12,1410307314,14,Trying to get up the Java EE learning curve need help getting past tutorials,self.java +2,1410303642,31,Whenever i try to use setRequestProperties to set cookies i just got from a URLConnection the compiler gives me gives me an already connected error message how do i fix this,self.java +5,1410297295,7,Programmers could get REPL in official Java,javaworld.com +2,1410295374,13,Did anyone already do DDD using a graph database like Neo4J as storage,self.java +0,1410293795,17,Know of a company in Europe that will sponsor an American Java Developer for a work visa,self.java +6,1410289509,5,Does Java have this functionality,self.java +3,1410289458,8,Ideal path for mobile development for Java developers,self.java +0,1410282043,9,Java C falter in popularity but still in demand,infoworld.com +31,1410280725,10,GlassFish Server Open Source Edition 4 1 Released The Aquarium,blogs.oracle.com +3,1410269129,15,Java Annotated Monthly Large overview and discussion of Java related news from the previous month,blog.jetbrains.com +13,1410268550,7,JavaOne what are your must attend sessions,oracleus.activeevents.com +1,1410268179,17,Java developers with network experience needed for open source MMO development platform x post from r gameDevClassifieds,self.java +2,1410266753,6,First Class Functions in Java 8,java8training.com +1,1410257972,5,Ideal way to exercise java,self.java +3,1410257215,20,Need help with uploading multiple files with Jersey I ve searched all over the place but cannot find a solution,self.java +8,1410255900,8,JAVA question about error handling and root cause,self.java +0,1410250380,7,RichFaces 4 5 0 Beta1 Release Announcement,bleathem.ca +0,1410243527,12,We re looking for Java devs sidebar did say anything Java related,eroad.com +18,1410235816,5,Java Optimizations and the JMM,playingwithpointers.com +0,1410233702,16,I don t know where to turn to need help with my first hello world assignment,self.java +4,1410212989,10,How do I get input from a USB video device,self.java +1,1410212099,5,need help with java code,self.java +2,1410211881,7,I need some help with a program,self.java +4,1410208955,12,How JSF Works and how to Debug it is polyglot an alternative,blog.jhades.org +8,1410204479,13,Hazelcast 3 3 released an Open Source in memory data grid for Java,hazelcast.org +34,1410203483,9,How good is Java for game development these days,self.java +50,1410193926,18,Aurous My attempt at an open source alternative to Spotify which allows for instant streaming from various services,github.com +12,1410189072,5,Performance Considerations For Elasticsearch Indexing,elasticsearch.org +3,1410187690,4,Someone creative needed please,self.java +14,1410187051,9,What s your biggest pain developing Java web apps,self.java +8,1410185041,7,Program a game in half a year,self.java +9,1410182208,5,Java Annotated Monthly September 2014,blog.jetbrains.com +3,1410181943,11,walkmod an open source tool to apply and share code conventions,walkmod.com +8,1410179552,9,How to execute a group of tasks with ExecutorService,javachannel.org +37,1410172603,9,Job interviews Does everyone but me actually know everything,self.java +11,1410169428,11,Java Weekly 10 Concurrency no config JSR MVC JCP and more,thoughts-on-java.org +5,1410165181,6,PrimeFaces Elite 5 0 8 Released,blog.primefaces.org +11,1410155340,13,LightAdmin Pluggable CRUD administration UI library for java web applications powered by SpringBoot,lightadmin.org +3,1410149144,7,Recommendations for structuring a library for distribution,self.java +23,1410147094,7,Building and Deploying Android Apps Using JavaFX,infoq.com +0,1410132992,8,First practical and or relatively large java project,self.java +13,1410127472,12,On Memory Barriers and Reordering On The Fence With Dependencies Java Performance,shipilev.net +2,1410116667,12,Migrating Google Calendar API from v2 to v3 I m completely lost,self.java +1,1410114794,6,Java GUI SWT Application gt Website,self.java +0,1410114302,9,programming Binary Sudoku in Java live on Twitch tv,twitch.tv +4,1410085409,9,Java Programming Can anyone suggest projects for beginning programmers,self.java +24,1410084900,9,Java puzzle NullPointerException when using Java s conditional expression,self.java +9,1410077844,10,Book Recommendation Java 8 In Action Great functional programming read,self.java +25,1410057576,7,Programmers could get REPL in official Java,m.infoworld.com +4,1410048702,4,Basic Iterators and Collections,self.java +12,1410045694,8,Hazelcast JCache API is more than just JCache,blog.dogan.io +1,1410035544,10,Which of these could be the best source for learning,self.java +9,1410029347,9,Casting to an interface different from casting between classes,self.java +5,1410025386,4,Very basic help needed,self.java +4,1410015359,4,Easy theming with Valo,morevaadin.com +0,1410008102,5,Easy run of Maven project,blog.mintcube.solutions +0,1409997249,4,Should I learn HTML5,self.java +6,1409992836,4,JSF conditional comment encoding,leveluplunch.com +1,1409974512,7,Using repaint and where to call it,self.java +2,1409972516,13,How valid is the statement write once debug everywhere by some Java users,self.java +0,1409972095,3,Netbeans to Desktop,self.java +14,1409959426,1,Encryption,self.java +5,1409957295,3,Preferred program formatting,self.java +0,1409953144,22,8 gigs of ram but 32bit only lets me use 1g I have 84bit Windows does java for 84 solve this issue,self.java +50,1409938172,8,In memory NIO file system for Java 7,github.com +12,1409933243,8,Getting started with RabbitMQ using the Spring framework,syntx.io +2,1409932417,12,Suggestion for a distributed database which is simple secure and open source,self.java +1,1409930628,3,Spring WebMVC resource,self.java +4,1409925672,3,Caveats of HttpURLConnection,techblog.bozho.net +2,1409923130,6,New ultrabook 1920x1080 touchscreen Windows 8,self.java +2,1409920384,7,Java Programming What should I do now,self.java +3,1409913730,15,Why are Marker interfaces required at all Does JVM process these in a different manner,self.java +35,1409904591,4,Coursera Algorithms Part I,coursera.org +6,1409903574,5,Java E Books For Beginners,self.java +9,1409900216,28,What is the need to write your own exceptions Anyway we are extending the Exception we can as well throw the custom exception as a general exception right,self.java +40,1409886226,22,I have been working on a Reddit API wrapper in Java for the past few months How can I make it better,github.com +4,1409884156,11,Anyone know how to switch between Java versions in Windows 7,self.java +6,1409851077,16,Looking for updated info Which inexpensive CA to use for code signing trusted by Java 7,self.java +49,1409845886,12,Spring Framework 4 1 introduces JMS jCache SpringMVC WebSocket features better performance,spring.io +1,1409845760,11,Java object oriented coding style Which one is preferred and why,self.java +1,1409845594,9,Whiley Final should be Default for Classes in Java,whiley.org +7,1409834234,8,Stats about memory leaks size velocity and frequency,plumbr.eu +1,1409826995,13,My first Java Program Need someone to quickly read over it before submitting,self.java +18,1409822984,7,JVM Language Summit 2014 Videos and Slides,oracle.com +24,1409798778,10,What are some online courses for java similar to codeacademy,self.java +5,1409794354,20,Wondering what the r java community perceives to be the advantages or disadvantages of developing in java vs NET C,self.java +6,1409787591,10,How do I interface my Java program with an Arduino,self.java +1,1409786533,20,X Post from JavaHelp DnD using custom drag types into an FXCanvas Java 8 FX 2 2 SWT 4 4,self.java +1,1409783416,7,Anyone have some simple examples showing networking,self.java +0,1409782295,36,OK PEOPLES Need help on taking an external text document parsing the first two integers as a 2d array location and then using the final bit nextLine as a string that goes into that array location,self.java +0,1409777373,7,After 13 years JCache specification is complete,sdtimes.com +28,1409772768,20,What does r Java think about JRebel and do its features justify the 360 per year price for Indie development,self.java +1,1409771140,3,Learning more java,self.java +0,1409767947,5,How do i learn Java,self.java +3,1409765859,8,How to make a connection and send data,self.java +0,1409764511,10,Do you have an interesting idea for open source project,self.java +0,1409761649,7,DEBUG YOUR JAVA APPLICATION WITH ECLIPSE IDE,prabodhak.co.in +7,1409758460,12,Using XRebel to fix Spring JDBC Templates N 1 SQL SELECTs Issues,zeroturnaround.com +0,1409755114,5,Why Should I Learn Scala,toptal.com +14,1409754976,8,After 13 years JCache specification is finally complete,sdtimes.com +2,1409748711,7,Remote debugging in Red Hat JBoss Fuse,blog.andyserver.com +8,1409747045,5,PrimeFaces 5 1 Video Trailer,vimeo.com +28,1409746135,7,Apache Log4j 2 0 Worth the Upgrade,infoq.com +2,1409739890,7,Writing compact Java with functions and data,dev.solita.fi +22,1409730553,6,JUnit in a Nutshell Test Runners,codeaffine.com +22,1409718642,12,When to use Java SE 8 parallel streams Doug Lea answers it,gee.cs.oswego.edu +7,1409713436,10,A cool syntax example with lambda expressions and functional interfaces,self.java +3,1409706539,10,I m getting a registry error when downloading the JDK,self.java +0,1409703677,29,I m working on a project where I will need an open sourced game Is Java the right language to be looking in or should I look else where,self.java +3,1409698624,21,I m on a quest for an error through mountains of Java and I have no idea what I m doing,self.java +21,1409679300,7,Why another MVC framework in Java EE,oracle.com +38,1409678446,14,Protonpack a Streams utility library for Java 8 supplying takeWhile skipWhile zip and unfold,github.com +47,1409654420,12,I just can t start to understand what lambdas and closures are,self.java +0,1409635865,8,Why NetBeans IDE is Great for Teaching Java,netbeans.dzone.com +0,1409607297,17,Help New to NetBeans and Win8 when I run my program a dialog box doesn t open,self.java +2,1409601933,7,Need help finding a dynamic graphing library,self.java +54,1409599748,7,Predicting the next Math random in Java,franklinta.com +0,1409597523,9,Haha a wonderful Game of Thrones parody for Java,youtube.com +3,1409590124,7,Jar file not running on other machines,self.java +14,1409588048,11,JHipster the Yeoman generator for Spring AngularJS reaches version 1 0,jhipster.github.io +15,1409580315,9,Explain Android development like I am a Java developer,self.java +3,1409579376,13,Java Weekly 9 Money retired DTOs JSR for MVC JDK tools and more,thoughts-on-java.org +2,1409578752,8,SimpleFlatMapper fastest lightweight no configuration ORMapping for java,github.com +1,1409575388,8,What Maven dependency do you use for JTidy,self.java +6,1409565828,12,A good chance to learn or refresh basic JAVA terms and concepts,sharplet.com +4,1409565432,9,Nashorn bug when calling overloaded method with varargs parameter,stackoverflow.com +13,1409564790,9,Major Java events in September JavaOne JavaZone and SpringOne,java2014.org +10,1409562391,6,Travis Continuous Integration for GitHub Projects,codeaffine.com +17,1409559604,9,Liberty beta now implements most Java EE 7 features,developer.ibm.com +0,1409544850,13,Getters and setters considered evil counter to OOP and should be used sparingly,javaworld.com +7,1409537192,3,OO Problem Statements,self.java +3,1409530498,10,How do I get an older update of Java 8,self.java +4,1409526750,12,Watch me make Snake in Java live on Twitch using best practices,twitch.tv +5,1409525377,7,Making a 3D map from an image,self.java +0,1409515271,2,HELP ME,self.java +18,1409512912,8,Differences between Java on Win and OS X,self.java +8,1409512309,8,In browser widget to monitor java application performance,stagemonitor.org +7,1409511255,7,What Java IDE should I switch to,self.java +6,1409506595,13,Eclipse 4 4 Windows 8 1 taskbar issues x post from r eclipse,self.java +10,1409505202,19,Is it considered better practice for a class to use its own getter and setter methods in other methods,self.java +0,1409503752,4,Fixing Java language anyone,self.java +9,1409493938,6,Using exceptions when designing an API,blog.frankel.ch +0,1409486898,3,Basic Java Worksheet,i.imgur.com +14,1409485503,5,Fast API testing with Restfuse,blog.mintcube.solutions +3,1409442321,11,Looking for some fellow Java beginners to skype text only with,self.java +6,1409414981,3,Eclipse installation question,self.java +2,1409412986,6,Basic Symmetric Encryption example with Java,syntx.io +0,1409406097,15,Java program to change the color of the circle if I click on to it,self.java +5,1409404293,7,Clean HTML from XSS or malicious input,self.java +8,1409392405,9,Setting project specific VM options in IntelIJ IDEA Ultimate,self.java +9,1409369907,5,Java REST Service best practices,self.java +6,1409369137,6,Trying to learn Java please help,self.java +6,1409361972,7,Draw many objects more efficiently with LWJGL,self.java +3,1409358910,4,Looking for a mentor,self.java +0,1409351905,4,JetBrains ignoring community feedback,self.java +0,1409346166,8,Getting testThis main out of classes for production,self.java +85,1409334051,7,My JAVA MMO inspiration it s bad,diamondhunt.co +0,1409330246,10,What is the best way to get started with J2EE,self.java +82,1409330130,10,String Deduplication A new feature in Java 8 Update 20,blog.codecentric.de +8,1409321330,15,Is it possible to create a restful api with plain old java without any framework,self.java +0,1409286831,1,Java,self.java +9,1409282947,8,What would be a good example REST service,self.java +3,1409262961,6,Apache Jackrabbit 2 9 0 released,mail-archives.apache.org +2,1409262932,4,What should i do,self.java +16,1409262838,9,Jar Hell made Easy Demystifying the classpath with jHades,blog.jhades.org +23,1409262647,7,The Principles of Java Application Performance Tuning,java.dzone.com +9,1409254562,14,Blurry misconceptions when combining Java via JDBC with SQL to create a database system,self.java +5,1409248719,6,Type Safe Heterogenous Containers in Java,stevewedig.com +30,1409246754,5,Mirah Where Java Meets Ruby,blog.engineyard.com +6,1409239126,11,Sample task to give to candidates for a graduate level interview,self.java +6,1409238707,8,Any good links or tips on good design,self.java +17,1409238266,6,Spurious Wake ups are very real,mdogan.github.io +21,1409234619,5,Caudit Java Easy performance monitoring,cetsoft.github.io +0,1409228444,2,Transforming Strings,self.java +0,1409188070,9,might seem dumb but i have a simple question,self.java +2,1409186359,10,How can I make a module block based collision system,self.java +2,1409182954,18,Processing org is it good for learning Java or should I consider it something completely different from Java,self.java +37,1409153764,16,codecademy com has a really nice class for JavaScript is there anything like this for Java,self.java +1,1409153123,4,Practice problems for student,self.java +28,1409140759,22,I m going in for an entry level java development position in a few hours Any tips on what interviewers might ask,self.java +13,1409128348,6,JUnit in a Nutshell Test Isolation,codeaffine.com +1,1409118888,3,Question about timers,self.java +22,1409118443,12,Wow learning Java is much easier than I thought it would be,self.java +24,1409093343,7,Type of qualifications for Junior Java Developer,self.java +22,1409090137,5,ActiveMQ 5 10 0 Release,activemq.apache.org +14,1409075179,15,What s the new to java equivalent book to Effective Java for more advanced people,self.java +9,1409070460,8,StackHunter Java exception tracker beta 1 1 released,blog.stackhunter.com +8,1409070096,6,Glassfish amp Chrome Extension Episode 1,youtube.com +3,1409067601,6,IoC Question about building my own,self.java +36,1409066808,8,What s with all the anti Spring sentiment,self.java +0,1409061136,14,If you are asked design twitter in a Java telephonic what would you answer,self.java +0,1409059492,8,Java knowledge expected for 8 years work experience,self.java +0,1409054903,3,Thoughts on Hibernate,java.dzone.com +1,1409046413,12,Writing JSR 352 style jobs with Spring Batch Part 1 Configuration options,blog.codecentric.de +2,1409041306,8,JPA enum OmniFaces enum converter select items sample,ballwarm.com +5,1409041185,4,Status update generic specializer,self.java +47,1409039277,5,JEP 159 Enhanced Class Redefinition,openjdk.java.net +6,1409032121,18,Book about general GUI design using OO It can be about JAVA but showing some general generic ideas,self.java +25,1409019397,7,Why do you prefer java for programming,self.java +0,1409008467,3,simple array issue,self.java +1,1409004465,12,x post Need help writing clean testable multi socket listener using ServerSocketChannel,self.java +80,1408989676,7,Java 9 is coming with money api,weblogs.java.net +14,1408987763,6,Has anyone tried Honest Profiler yet,self.java +15,1408972458,10,Improve IntelliJ IDEA and Eclipse Interop and Win a License,blog.jetbrains.com +0,1408969900,10,Web Development Using Spring and AngularJS Tutorial 11 Using ngResource,youtube.com +44,1408969156,9,Jinq a new db query tool for Java 8,jinq.org +6,1408968385,2,Debugging OpenJDK,java.dzone.com +9,1408962410,4,Novice Spring Framework question,self.java +27,1408955869,6,Interesting way to learn Design Patterns,self.java +0,1408932699,2,Augmented Reality,self.java +0,1408927190,8,Has anyone here ever created an android app,self.java +2,1408918930,3,Problem with JOptionPane,self.java +6,1408906630,7,Java 7 Backports for java util Optional,self.java +5,1408889099,7,Meetup Reactive Programming using scala and akka,blog.knoldus.com +3,1408883188,9,JavaZone 2014 Game of Codes Game of Thrones parody,youtu.be +72,1408880427,5,JAVA 4 EVER Official Trailer,youtube.com +5,1408877443,8,Is it fun to be a Java developer,self.java +4,1408861775,6,Ideas for a tough Java project,self.java +4,1408854580,23,Was anyone used RxJava in a java 6 7 environment Did the benefit of reactive programming outweigh the terribleness of nested anonymous classes,self.java +17,1408836998,6,Looking for Basic Intermediate Java Challenges,self.java +2,1408826752,8,Need some explanation about this Generics type erasure,self.java +9,1408816237,14,Scala template engine like JSP but without the crap and with added scala coolness,github.com +2,1408813736,7,Looking for advice on GUI building tools,self.java +12,1408811638,5,Should I use an IDE,self.java +13,1408807844,13,Library for download and handle a countries ips list from a CSV file,github.com +0,1408754014,7,Whats the Best website to practice JAVA,self.java +49,1408744921,12,Capsule One Jar to Rule Them All x post from r programming,dig.floatingsun.net +0,1408722045,3,Forget about LinkedList,self.java +9,1408721040,3,Question about servlets,self.java +4,1408720872,9,Help Error when trying to run a web applet,self.java +0,1408720413,8,Why is JavaFX being continued Nobody uses it,self.java +43,1408717148,19,Eclipse compilation run is faster by factor of 3x then NetBeans and IntelliJ IDEA on slow and old hardware,self.java +15,1408715461,4,Java Advanced Management Console,blogs.oracle.com +14,1408712414,6,The ultimate guide to JavaOne 2014,javaone-2014.zeef.com +0,1408681616,17,What are the benefits of using a scanner for command line input as opposed to a BufferedInputStreamReader,self.java +3,1408676771,13,Need help with Java assignment It is about Inheritance and I am lost,self.java +0,1408670704,8,Current approaches to Java application protection are problematic,technewsworld.com +0,1408662564,4,JDBC Basics Part I,go4expert.com +10,1408656298,9,Everything you need to know about Java EE 8,javaee8.zeef.com +0,1408654505,4,What is Reactive Programming,medium.com +3,1408644752,7,Eclipse advanced statistical debugging Where is it,self.java +1,1408644391,11,java error when igpu multi monitor is enabled hs err pid,self.java +2,1408628744,16,Eric D Schabell New integration scenarios highlighted in JBoss BPM Suite amp JBoss FSW integration demo,schabell.org +0,1408627403,4,MultiThread in Java help,self.java +98,1408627039,14,The 6 built in JDK tools the average developer should learn to use more,zeroturnaround.com +6,1408564320,9,eCommerce case study for in memory caching at scale,hazelcast.com +18,1408563818,19,Frontend development in HTML CSS and Java only or GWT in a different way The JBoss Errai web framework,self.java +10,1408563205,4,Online IDE for Java,self.java +28,1408562251,9,Why Developer Estimation is Hard With a Cool Puzzle,zeroturnaround.com +4,1408553590,4,Novice programming problem java,self.java +25,1408548900,8,Java 9 Features Announced What Do You Think,java.dzone.com +0,1408539575,7,How to solve Java s security problem,infoworld.com +0,1408537012,10,Web Development Using Spring and AngularJS Tutorial 10 New Release,youtube.com +1,1408536720,10,Web Development Using Spring and AngularJS Tutorial 9 New Release,youtube.com +1,1408536247,6,Locks escalating due classloading issues example,plumbr.eu +3,1408497602,4,java install key error,self.java +29,1408487516,8,Release Oracle Java Development Kit 8 Update 20,blogs.oracle.com +14,1408485045,20,JSR posted for MVC 1 0 a Spring MVC clone in Java EE as second web framework next to JSF,java.net +2,1408474014,12,Apache POI 3 10 1 released CVE 2014 3529 CVE 2014 3574,mail-archives.apache.org +1,1408473369,23,CVE 2014 3577 Apache HttpComponents client Hostname verification susceptible to MITM attack fixed in HttpClient 4 3 5 and HttpAsyncClient 4 0 2,markmail.org +1,1408466048,2,Java Certifications,self.java +3,1408463080,11,I have questions about Java Java EE development with NoSQL databases,self.java +7,1408455837,11,Drools amp jBPM Drools Execution Server demo 6 2 0 Beta1,blog.athico.com +2,1408455324,8,Freenode java Initializing arrays of arrays avoid fill,javachannel.org +13,1408440072,7,Freenode java How to access static resources,javachannel.org +9,1408423073,6,Object already exists java install error,self.java +28,1408417677,8,What do I need to know about maven,self.java +10,1408406823,5,Open source Java GWT libraries,self.java +0,1408398054,2,Eclipse Error,stackoverflow.com +7,1408392946,13,The first official feature set announcement for OpenJDK 9 and Java SE 9,sdtimes.com +15,1408383539,10,Java Weekly 8 Java9 JMS 2 JUnit Microservices and more,thoughts-on-java.org +28,1408377808,10,Java 8 compilation speed 7 times slower than Java 7,self.java +1,1408370842,7,Error with geany compiler when compiling java,self.java +22,1408349223,6,JUnit in a Nutshell Test Structure,codeaffine.com +10,1408327041,15,Almost got a job as a Java developer Just need to pass a technical assessment,self.java +7,1408306333,24,When to Use Nested Classes Local Classes Anonymous Classes and Lambda Expressions The Java Tutorials gt Learning the Java Language gt Classes and Objects,docs.oracle.com +5,1408295257,8,Help integrating a library into my java project,self.java +12,1408253559,5,Understanding JUnit s Runner architecture,mscharhag.com +10,1408241703,5,Use of System out print,self.java +1,1408224163,5,Help with setters and this,self.java +1,1408215962,8,How stable is the android developer job market,self.java +24,1408205499,9,What s a good universal GUI framework for Java,self.java +7,1408192626,19,Quick snippet to get list of your facebook friends who have liked atleast one post in a particular page,csnipp.com +13,1408185955,9,Humanize facility for adding a human touch to data,github.com +4,1408185892,4,iCal4j iCalendar specification RFC2445,wiki.modularity.net.au +23,1408179640,9,Working with Date and Time API Java 8 Feature,groupkt.com +14,1408157227,2,Question jHipster,self.java +46,1408153996,15,Heat map of which keys I used to create a simple java program with vim,i.imgur.com +0,1408144406,3,Java not updating,self.java +0,1408140689,5,Java Advanced books to get,self.java +8,1408139527,9,Transactions mis management how REQUIRES_NEW can kill your app,resilientdatasystems.co.uk +4,1408127055,8,Is there such thing as a reminder interface,self.java +1,1408126054,11,Need help with strange Java Error JVM Entry point not found,self.java +11,1408124747,17,Introducing QuickML A powerful machine learning library for Java including Random Forests and a hyper parameter optimizer,quickml.org +19,1408116333,6,Apache Commons CSV 1 0 released,mail-archives.apache.org +4,1408105721,3,Introduction vaadin com,vaadin.com +7,1408105161,8,TempusFugitLibrary helps you write and test concurrent code,tempusfugitlibrary.org +64,1408097304,5,JavaZone 2014 Game of Codes,youtube.com +25,1408093982,5,Learning JVM nuts and bolts,self.java +4,1408067963,4,Monitor Java with SNMP,badllama.com +5,1408053674,5,Nemo SonarQube opensource code quality,nemo.sonarqube.org +12,1408044400,6,Where how to learn JSF properly,self.java +47,1408040317,9,1407 FindBugs 3 0 0 released Java 8 compatible,mailman.cs.umd.edu +2,1408039948,5,Netty 4 0 22 released,github.com +4,1408037941,12,Demonstration how to write from one database to another using SPRING Batch,self.java +3,1408033207,9,Looking for a good tutorial for java 7 8,self.java +9,1408032954,7,Mojarra 2 2 8 has been released,java.net +8,1408022994,10,Using Javascript Libs like Backbone js with Nashorn Java 8,winterbe.com +7,1408019411,9,The 3 different transport modes with vaadin and push,blog.codecentric.de +7,1408015636,5,Cadmus A Primer in Java,cadmus.herokuapp.com +6,1408014349,6,Opensource Java projects for junior developers,self.java +7,1407998439,8,Creating a lazy infinite fibonacci stream using JDK8,jacobsvanroy.be +0,1407981025,9,Bootstrapping Vaadin Applications Using Gradle Spring Boot and vaadin4spring,dev.knacht.net +1,1407975400,3,Java textbook advice,self.java +159,1407967212,22,I know it probably isn t much but I just completed my first Game Loop alone and I m so proud Haha,i.imgur.com +6,1407965450,12,Looking for an online IDE submission site for intro to programming class,self.java +0,1407962164,6,Personal favorite programming software for Java,self.java +8,1407961520,7,What are your favorite IntelliJ IDEA features,self.java +2,1407956047,3,SSLSocket and getChannel,self.java +2,1407942154,10,Is this a good function to encrypt and decrypt strings,csnipp.com +5,1407936671,5,Working with Java s BigDecimal,drdobbs.com +0,1407936655,10,My company HCA in Nashville is expanding our Java team,self.java +11,1407931536,8,Brian Goetz Lambda A Peek Under the Hood,vimeo.com +11,1407924400,9,Java Best Practices Queue battle and the Linked ConcurrentHashMap,javacodegeeks.com +2,1407914579,10,Meet Christoph Engelbert One of July s Most Interesting Developers,blog.jelastic.com +10,1407912540,5,OpenSource project to learn from,self.java +0,1407903923,2,Libgdx exception,self.java +2,1407881775,7,Need some help conquering the learning curve,self.java +21,1407877810,5,Read data from USB port,self.java +7,1407875548,8,Time4J Advanced date and time library for Java,github.com +0,1407873625,10,Java CAS Client 3 3 2 fix CVE 2014 4172,apereo.org +1,1407862047,6,Trying to pass Type to interface,self.java +2,1407841354,15,Java Software Solutions Foundations of Program Design 8th Edition by John Lewis amp William Loftus,self.java +26,1407834953,6,JUnit in a Nutshell Hello World,codeaffine.com +12,1407834912,8,Understanding the benefits of volatile via an example,plumbr.eu +4,1407834332,4,Keeping track of releases,self.java +28,1407834083,10,How to get started with a desktop UI in Java,self.java +9,1407832763,5,My single class parser generator,mistas.se +61,1407826181,8,Get real Oracle is strengthening not killing Java,infoworld.com +0,1407817358,21,Certain sbt installs fail on OS X 10 9 when running Java 8 how do I install Java 7 alongside 8,self.java +2,1407801966,14,what s a good way to validate that you know enough to be hireable,self.java +2,1407796765,7,How to embed HSQLDB in Netbeans project,self.java +3,1407796304,7,What to read after Head First Java,self.java +0,1407795614,11,uniVocity a Java framework for the development of data integration processes,self.java +0,1407792177,7,HttpComponents Client 4 3 5 GA Released,mail-archives.apache.org +0,1407792149,7,HttpComponents HttpAsyncClient 4 0 2 GA Released,mail-archives.apache.org +10,1407792121,4,Brian Goetz Evolving Java,infoq.com +65,1407787064,11,So the stickers I sent out for have arrived Plus extras,imgur.com +7,1407782517,8,Charts with jqPlot Spring REST AJAX and JQuery,softwarecave.org +6,1407781577,10,Is there anyway I can get Eclipse on my Chromebook,self.java +11,1407780754,5,JavE Java Ascii Versatile Editor,jave.de +32,1407778784,9,First batch of JEPs proposed to target JDK 9,mail.openjdk.java.net +26,1407770649,2,Goodbye LiveRebel,zeroturnaround.com +8,1407769678,6,Any solutions for JSP Unit Testing,self.java +19,1407750845,8,A sudo inspired security model for Java applications,supposed.nl +13,1407745603,5,Generating equals hashCode and toString,techblog.bozho.net +16,1407737955,11,Java Weekly 7 Generics with Lambda unified type conversion and more,thoughts-on-java.org +0,1407736021,12,Okay I want to start doing Java can you answer 2 questions,self.java +3,1407726885,15,Would using a persistence database not cause writing objects to it to have a StackOverflowError,self.java +0,1407724761,6,Anyone know how this is done,self.java +41,1407720662,10,Something I wasn t aware about random numbers in java,engineering.medallia.com +2,1407715775,7,Finding the inside of a closed shape,self.java +10,1407706233,8,Best swing layout for vertical list of buttons,self.java +50,1407697043,8,Best way to learn advanced java from home,self.java +8,1407691632,8,Can I turn a jar into a exe,self.java +1,1407685129,7,Sanitizing webapp outputs as an an afterthought,blog.frankel.ch +6,1407684966,17,Just bought a pogoplug mobile and installed Debian on it Question about java apps and resource usage,self.java +41,1407664170,9,Generics How They Work and Why They Are Important,oracle.com +3,1407647145,4,Best Java library reference,self.java +10,1407638437,3,Thread sleep Alternatives,self.java +10,1407638427,9,Java certification which one and what materials to use,self.java +24,1407621954,6,Essential Gradle snippet for Intellij users,movingfulcrum.tumblr.com +5,1407618990,14,Showing how to use Java 8 dates and functional programming to write a timer,selikoff.net +5,1407587337,2,JCheckBox Help,self.java +30,1407582443,4,jFairy Java Faker Library,codearte.github.io +21,1407571860,9,jclouds 1 8 released the Java multi cloud toolkit,jclouds.apache.org +10,1407533056,11,Will HTML5 make good old JSPs popular again by Adam Bien,adam-bien.com +1,1407500223,4,Code coverage with Netbeans,self.java +2,1407444048,11,Gost hash Pure Java Russian GOST 34 11 94 hash implementation,github.com +18,1407438447,7,High time to standardize Java EE converters,arjan-tijms.blogspot.com +0,1407435022,2,Java Botnet,self.java +6,1407428192,3,Order of modifiers,self.java +5,1407425624,10,Help Coding A Genetic Algorithm to Solve the Knapsack Problem,self.java +23,1407423206,7,ArrayList and HashMap Changes in JDK 7,javarevisited.blogspot.sg +3,1407415033,6,Getting JDK installers working on Yosemite,self.java +7,1407413900,5,StringJoiner in Java SE 8,blog.joda.org +10,1407411660,13,Oracle s Latest Java 8 Update Broke Your Tools How Did it Happen,takipiblog.com +1,1407408934,2,What course,self.java +1,1407406578,4,Spring Data Jpa Filters,self.java +149,1407405335,6,Get rid of the frickin toolbar,self.java +4,1407401638,8,Internet Explorer to start blocking old Java plugins,arstechnica.com +2,1407401407,9,Should I use direct references to classes as delegates,self.java +0,1407390847,10,6 Reasons Not to Switch to Java 8 Just Yet,javacodegeeks.com +6,1407373455,8,HSQLDB timestamp field that automatically updates on update,self.java +7,1407372471,3,Java learning problems,self.java +2,1407369429,5,Java Annotated Monthly July 2014,blog.jetbrains.com +0,1407366864,9,The attributes of an object are often coded as,self.java +1,1407364945,6,Suggestion for Loan Calculator UML diagram,self.java +1,1407351983,5,Wrapping Polymer components with JSF,self.java +51,1407349780,7,CodeExchange A new Java code search engine,codeexchange.ics.uci.edu +7,1407349669,9,Needing no annotation no external mapping reflection only ORM,self.java +4,1407344810,7,UI framework suggestions for single page application,self.java +16,1407342086,5,presentation State of Netty Project,youtube.com +2,1407322568,9,Java Blog Beginner s Guide to Hazelcast Part 3,darylmathison.wordpress.com +5,1407321725,10,Question Spring mvc ErrorPageFilter creates random overflow and high CPU,stackoverflow.com +8,1407318400,4,gaffer foreman on JVM,github.com +26,1407314637,12,OhmDB The Hybrid RDBMS NoSQL Database for Java Released under Apache License,github.com +18,1407311357,10,OptaPlanner 6 1 0 Final released open source constraint optimizer,optaplanner.org +4,1407308165,11,Setting up Liquibase for Database change Management With Java Web Application,groupkt.com +2,1407301723,6,Cool little JSON library I made,youtube.com +4,1407298447,24,Anyone here who could offer some help with JOGL I am more less a beginner with absolutely no knowledge when it comes to graphics,self.java +5,1407289478,11,Y combinator in Java in case someone needs it probably never,self.java +13,1407288242,12,Hibernate ORM with XRebel Revealing Multi Query Issues with an Interactive Profiler,zeroturnaround.com +5,1407281602,8,HELP Coding and compiling in Sublime Text 3,self.java +9,1407274419,3,Java docopt implementation,github.com +8,1407272934,9,Best way for AJAX like search functionality in JTable,self.java +3,1407259402,8,JCP News Many Java EE 8 specs started,blogs.oracle.com +1,1407249540,7,Web Based Application using Java Flex Development,elegantmicroweb.com +8,1407248481,6,UDP Packets EOFException on ObjectInputStream readObject,self.java +17,1407241419,7,Getting into programming with no experience network,self.java +38,1407221595,6,The Art of Separation of Concerns,aspiringcraftsman.com +16,1407221087,4,Java 8 Stream Tutorial,winterbe.com +15,1407219146,5,Lambda Expressions Java 8 Feature,groupkt.com +7,1407212774,15,In Detail A Simple Selection Sort In Java Along With Generics Implementation Code In Action,speakingcs.com +5,1407207559,11,Can someone tell me why nothing is rendering to my screen,pastebin.com +6,1407183706,11,Can I teach Java with Pi or Arduino xpost r programming,self.java +13,1407181669,8,Pursuing a career in Java Any tips pointers,self.java +3,1407180309,8,What should I be learning Stuck at swing,self.java +0,1407179504,10,class com java24hours root2 does not have a main method,self.java +0,1407177667,10,I haven t used Java since 2011 What has changed,self.java +4,1407174287,5,Monkey X Raph s Website,raphkoster.com +7,1407171212,6,Feel secure with SSL Think again,blog.bintray.com +27,1407167856,6,Maven Central HTTPS Support Launching Now,central.sonatype.org +0,1407163234,10,A little help with a java program I m making,self.java +13,1407156589,5,Spring Framework and OAuth Tutorial,blog.techdev.de +2,1407139190,11,Java Weekly 6 Micro Services CDI 2 0 NoEstimates and more,thoughts-on-java.org +7,1407130853,6,How to choose between Web Frameworks,self.java +22,1407130616,4,Java 8 Stream Tutorial,winterbe.com +136,1407123631,6,Falling back in love with Java,self.java +0,1407103122,7,How to undo Git Checkout in Netbeans,self.java +1,1407079159,12,Is it possible to make Spring Roo apps behave like Django apps,self.java +16,1407076214,7,Session Fixation and how to fix it,blog.frankel.ch +0,1407068560,5,Writing amp Reading Text Files,self.java +4,1407065732,5,Why we should love null,codeproject.com +0,1407059725,7,How Jetty embedded with cuubez rest framework,code.google.com +0,1407042039,9,Where can a high school java programmer find employment,self.java +0,1407034990,11,Why does my JSF AJAX only work on the second try,self.java +1,1407025519,8,Java EE Tutorial 11 Built in JSF Validation,youtube.com +3,1407013632,8,JavaFX runnable jar cannot find my music files,self.java +0,1407007088,9,How to add JFXtras to current project without Maven,self.java +0,1407003044,9,Is it a waste of time to learn Java,self.java +8,1407000890,6,Use Maven for Desktop only application,self.java +1,1406995262,8,Parallelism of esProc enhances Oracle Data Import Speed,datathinker.wordpress.com +0,1406994226,7,Comparison between different looping techniques in Java,groupkt.com +1,1406992489,3,Riemann JVM Profiler,github.com +6,1406977160,21,Pherialize Library for serializing Java objects into the PHP serializing format and unserializing data from this format back into Java objects,github.com +13,1406976865,6,Apache Tomcat 7 0 55 released,mail-archives.apache.org +23,1406974498,6,JCommander annotation based parameter parsing framework,jcommander.org +0,1406960809,9,How to Serialize Java Object to XML using Xstream,groupkt.com +6,1406955204,13,Best library to use to implement Grid based D amp D virtual tabletop,self.java +9,1406953623,5,JFreeChart 1 0 19 Released,jroller.com +14,1406937264,10,Best way to implement a desktop event calendar in Java,self.java +3,1406936237,5,Android and an external database,self.java +5,1406934375,11,How do you use Eclipse and Mylyn in the development process,self.java +11,1406933251,22,Alright my imperative and talented Java friends I ask you how would you refactor this code in a pre java 8 environment,self.java +3,1406926718,12,Selma is a bean mapper with compile time checks of correct mapping,xebia-france.github.io +16,1406911326,3,Dynamic CDI producers,jdevelopment.nl +5,1406909419,6,Spring Batch Parallel and distributed processing,blog.cegeka.be +5,1406906908,12,How to Build Java EE 7 Applications with Angular JS Part 1,javacodegeeks.com +7,1406903194,14,The 10 Most Annoying Things Coming Back to Java After Some Days of Scala,blog.jooq.org +3,1406896880,7,How to Learn Java for Free Guide,howtolearn.me +13,1406893506,5,JANSI Eliminating boring console output,jansi.fusesource.org +4,1406884713,8,Java EE Tutorial 10 Using Ajax with JSF,youtube.com +0,1406883762,2,Struts prerequisites,self.java +13,1406877900,5,Skill Sets for large organization,self.java +0,1406875817,3,Java Minecraft help,self.java +2,1406867444,9,Spring REST backend for handling Bitcoin P2SH multisignature addresses,self.java +0,1406833712,6,Value Objects in Java amp Python,stevewedig.com +7,1406832354,12,We built KONA Cloud with Java Javascript with Nashorn Check it out,konacloud.io +9,1406830442,6,Hibernate Statistics with Hawtio and Jolokia,blog.eisele.net +0,1406817918,7,R I P XML in Spring Applications,blog.boxever.com +11,1406808810,9,Maven Shell I only just found out this existed,blog.sonatype.com +3,1406798394,13,Is it good practice to rollback transactions from only unchecked exceptions Spring J2EE,self.java +5,1406788506,6,Java EE Tutorial 9 JSF Navigation,youtube.com +0,1406781994,9,Why one developer switched from Java to Google Go,infoworld.com +22,1406759649,7,Going to Java One What to expect,self.java +1,1406759398,8,Writing min function part 3 Weakening the ordering,componentsprogramming.wordpress.com +16,1406751945,5,Building Web Services with DropWizard,hakkalabs.co +0,1406740858,10,Where to upload jar file on server to run it,self.java +5,1406740184,4,On logging in general,self.java +0,1406736308,20,Web Development Using Spring and AngularJS Eighth Tutorial Released Integration of ng boilerplate for AngularJS Development Setup and General Overview,youtube.com +0,1406735641,10,Need Help Nested if inside switch statement Is it possible,self.java +6,1406734921,11,HawtIO on JBoss Wildfly 8 1 step by step Christian Posta,christianposta.com +9,1406731471,12,The Netflix Tech Blog Functional Reactive in the Netflix API with RxJava,techblog.netflix.com +9,1406723165,5,Best library for creating Reports,self.java +27,1406721948,8,Scala 2 12 Will Only Support Java 8,infoq.com +37,1406720879,9,What are the inherent problems in Logback s architecture,self.java +17,1406718198,12,Eating your own dog food threadlock detection tool finds locks in itself,plumbr.eu +9,1406714763,10,Big execution time difference between java Lambda vs Anonymous class,stackoverflow.com +17,1406710178,4,HTTP 2 and Java,weblogs.java.net +3,1406700391,7,Generate X509 certificate with Bouncycastle s X509v3CertificateBuilder,self.java +0,1406694211,7,Crawling a site and indexing its content,self.java +1,1406689704,18,Spring XD 1 0 GA makes Streaming amp Batch Ingest Analyze Process Export drop dead simple for Hadoop,spring.io +4,1406672893,9,Scala Named a Top 10 Technology for Modern Developers,typesafe.com +2,1406672310,11,Spring MVC and XRebel Uncovering HttpSession Issues with an Interactive Profiler,zeroturnaround.com +6,1406669306,9,Encrypt private key with password when creating certificate programmatically,self.java +7,1406668013,15,Creating a JavaFX Application pure Java VS SceneBuilder amp FXML and testing it with Automaton,sites.google.com +0,1406659547,6,Android Tutorial Contest 10K in Prizes,self.java +1,1406659197,4,Guess a Number game,self.java +1,1406658145,7,Making my code run on a server,self.java +2,1406655078,4,Java ME Certification Prep,self.java +1,1406654388,2,Kata Potter,self.java +0,1406649059,9,Java Concurrency Future Callable and Executor Example Java Hash,javahash.com +3,1406644365,7,MongoJack JAX RS gt Return Dynamic Documents,self.java +66,1406642398,11,IEEE ranks Java as Top Programming Language Despite Ignoring Embedded Capability,twitter.com +0,1406641948,10,Dependency Injection in Scala using MacWire DI in Scala guide,di-in-scala.github.io +0,1406641564,6,Curryfication Java m thodes amp fonctions,infoq.com +6,1406641462,8,Testing Java EE applications on WebLogic using Arquillian,event.on24.com +14,1406636513,9,New to Java What package manager do you use,self.java +15,1406619186,18,One of the most interesting bugs in the Java compiler or Eclipse compiler Or in the JLS itself,stackoverflow.com +0,1406618534,7,A Java 8 Spring 4 reference application,blog.techdev.de +26,1406603897,5,Comparing Java HTTP Servers Latencies,bayou.io +5,1406598999,3,Multidimensional array looping,self.java +8,1406598804,3,Textedit vs Eclipse,self.java +1,1406580816,7,DropWizard MongoDB delivering dynamic documents in JSON,self.java +3,1406578309,3,OpenXaja and ABL,self.java +14,1406575847,9,Library to copy jdbc results into objects Not Hibernate,self.java +18,1406567025,7,Spring Framework 4 1 Spring MVC Improvements,spring.io +0,1406566535,5,Spring Data Dijkstra SR2 released,spring.io +10,1406561524,9,Discover what s in CDI 2 0 specification proposal,cdi-spec.org +2,1406546482,6,External configuration for a Spring Webapp,self.java +16,1406543705,13,Java Weekly 5 Metaspace Server Sent Events Java EE 8 drafts and more,thoughts-on-java.org +16,1406538598,6,Exception Handling in Asynchronous Java Code,blog.lightstreamer.com +0,1406528433,4,Update Java Loop issue,self.java +3,1406526766,10,Remote profiling using SSH Port Forwarding SSH Tunneling on Linux,blog.knoldus.com +1,1406525345,4,Spring MVC with Hibernate,malalanayake.wordpress.com +14,1406520549,3,PrimeFaces Responsive Grid,blog.primefaces.org +0,1406497987,6,Start with JAVA or Android SDK,self.java +5,1406493469,4,Stuck on Java loop,self.java +5,1406475798,6,Spring configuration modularization for Integration Testing,blog.frankel.ch +0,1406467108,3,My Settings class,pilif0.4fan.cz +0,1406447842,4,I need help plz,self.java +0,1406446139,8,Java NewBie with slideshow of display Images Problem,self.java +5,1406401655,6,Jetty 9 2 2 v20140723 Released,jetty.4.x6.nabble.com +25,1406400934,8,The best second language to learn along java,self.java +11,1406390978,18,Pure Java Implementation of an Interactive 3D Graph Rendering Engine and Editor Using a Spring Embedder Algorithm 1200Loc,github.com +26,1406382207,5,Servlet 4 0 The Aquarium,blogs.oracle.com +4,1406351963,6,Help me ramp up in Java,self.java +0,1406337240,29,Anyone looking for a job We are staffing 8 US based Java developers at Accenture for some consulting work PM me your resume contact info if you are interested,self.java +24,1406336899,31,Anyone here using Azul Zing in production Are you happy about your experience Do you recommend it And what are its pros and cons compared to Oracle JVM in your opinion,self.java +0,1406323385,6,Fellow programmers I need your assistance,self.java +10,1406316769,8,Best way to get a Java Developer Internship,self.java +4,1406297796,15,Is JavaScript HTML5 development going to surpass Java JEE as an enterprise platform for development,self.java +0,1406250255,6,How do I get user input,self.java +11,1406249505,4,Working remotely with IntelliJ,self.java +3,1406239798,5,How should I learn Java,self.java +27,1406234582,6,Implement compareTo Using Google Guava Library,dev.knacht.net +4,1406234246,2,CORS Filter,software.dzhuvinov.com +5,1406223025,9,Handling static web resources with Spring Framework 4 1RC1,spring.io +0,1406214549,3,problem with netbeans,self.java +5,1406205586,19,Web Development Using Spring and AngularJS Seventh Tutorial Released Review of code and testing the completed backend using Postman,youtube.com +9,1406196210,3,PrimeFaces Accessibility Update,blog.primefaces.org +8,1406187423,5,Any doc odt java generator,self.java +1,1406173624,8,Can I do this and if so how,self.java +0,1406172768,4,Where do I start,self.java +2,1406163139,11,Has anyone used Lynda com to learn catch up with JAVA,self.java +1,1406156729,11,How to use tab button to change between JTextFields in Netbeans,self.java +21,1406149787,7,Interview with Juergen Hoeller at QCon 2014,infoq.com +10,1406149517,4,Hadoop without code complication,infoq.com +2,1406148668,5,Easy Ways to Learn Java,self.java +46,1406140044,9,How to turn off junkware offers when updating Java,twitter.com +1,1406129648,10,Cloudbreak New Hadoop as a Service API Enters Open Beta,infoq.com +37,1406121275,11,How to Instantly Improve Your Java Logging With 7 Logback Tweaks,takipiblog.com +1,1406121020,9,Do I really have a car in my garage,stackoverflow.com +14,1406067531,5,JDK 8u11 Update Release Notes,oracle.com +23,1406066141,4,Log4j 2 0 released,mail-archives.apache.org +1,1406054512,7,The elements still holding back web xml,movingfulcrum.tumblr.com +0,1406025444,2,Java Developers,nsainsbury.svbtle.com +11,1406025378,9,Time memory tradeoff with the example of Java Maps,java.dzone.com +3,1406018989,14,Whitespace Matching Regex Java Or how you ve probably gotten it wrong so far,stackoverflow.com +75,1406016169,10,RichFaces throws in the towel JBoss to focus on AngularJS,bleathem.ca +6,1406014445,15,I m about to learn Java at uni and I have a couple of questions,self.java +45,1405984191,5,AlgPedia The free algorithm encyclopedia,algpedia.dcc.ufrj.br +0,1405981556,5,Proper Debugging in eclipse video,youtube.com +7,1405979806,5,The best approach to learn,self.java +0,1405959965,1,Tuples,benjiweber.co.uk +11,1405957412,24,Shameless self promotion bignumutils Utility classes for dealing with BigDecimal and BigInteger something I made a while ago to make BigXXXX operations more clear,code.google.com +14,1405945641,6,Implementing size on a concurrent queue,psy-lob-saw.blogspot.com +23,1405944661,5,JEP 191 Foreign Function Interface,openjdk.java.net +9,1405944142,14,Application Servers are Sort of Dead okay not really but they are used differently,beyondjava.net +48,1405933555,8,Introducing Para an open source back end framework,self.java +0,1405911842,11,How to Create and use Enumerated types in Java Java Talk,javatalk.org +5,1405906254,12,Question about public private keys from using keytool to generate certificate keystore,self.java +20,1405883983,11,Looking for a good text texts to learn JSF Spring Hibernate,self.java +10,1405878363,25,Rottentomatoes as of 1 45pm EST Jul 20 I m sure we ve all seen the ol NoClassDefFoundError exception at some point in our lives,i.imgur.com +9,1405873832,8,Spring Guice dependency injection and the new keyword,self.java +7,1405872403,12,Invalid Length in LocalVariableTable Using Spring Hibernate Java 8 streams Any Ideas,self.java +11,1405847986,15,Searching for somebody pointing out the biggest mistakes I made in my first Java game,self.java +3,1405834577,10,Osama Oransa s Blog JPA 2 1 Performance Tuning Tips,osama-oransa.blogspot.sg +9,1405828344,15,The Great White Space Debate space around the terms of a for loop or no,medium.com +2,1405802991,11,Font for any Java related program is displaying improperly ex Minecraft,self.java +0,1405796362,10,Exported jar Program Only Runs on my Desktop Eclipse Issue,self.java +8,1405791405,4,Hybrid JavaFX Desktop Applications,twitter.com +18,1405784600,9,Java Learning Design Patterns using a Problem Solution approach,self.java +0,1405747429,8,Need help removing a jrat from a file,self.java +10,1405740966,2,Fixing TreeSet,self.java +0,1405733978,8,Looking for a Java programmer that loves hockey,self.java +8,1405720690,19,Attention Big Data devs Spring XD 1 0 0 RC1 released now is the time to preview and feedback,spring.io +4,1405714932,7,War deployment in Wildfly using Eclipse Luna,self.java +1,1405714059,4,Maven Shading LGPL Jar,self.java +3,1405708603,7,How to generate a random long number,self.java +52,1405705904,8,Java is the Second Most Popular Coding Language,blog.codeeval.com +13,1405690755,6,Java 8 Functional Interface Naming Guide,blog.orfjackal.net +0,1405690003,2,Need help,self.java +14,1405687351,6,Lambda Expression Basic Example Java 8,ravikiranperumalla.wordpress.com +7,1405687336,6,Serializable What does it acutally do,self.java +11,1405673903,6,Where Has the Java PermGen Gone,infoq.com +84,1405672173,13,Log4J2 is final congrats to the team and welcome our new logging overlords,logging.apache.org +5,1405665995,10,How do I put a video in my Swing application,self.java +0,1405659323,7,java lang StackOverFlowError in java util Hashmap,self.java +13,1405639065,6,Any Eclipse Plugin to Encourage Javadoc,self.java +9,1405630147,11,Contexts and Dependency Injection for Java 2 0 CDI 2 0,blogs.oracle.com +5,1405624023,2,crl checking,self.java +8,1405623527,4,Saving debug variables state,self.java +17,1405611045,3,Java programs grader,self.java +8,1405608887,9,What to learn next x post from r learnjava,self.java +16,1405607829,9,Java API for JSON Binding JSON B The Aquarium,blogs.oracle.com +27,1405604250,14,Recently ran into this problem and this post was really mother f king helpful,code.nomad-labs.com +2,1405587295,7,Jaybird 3 0 snapshot available for testing,firebirdnews.org +0,1405585062,16,The output of my Java code changes arbitrarily Could Date or Calendar be the culprit Help,self.java +26,1405580448,3,JDK8 Fibonacci stream,jacobsvanroy.be +3,1405572040,12,Per request cache of properties query results etc How to do it,self.java +13,1405559558,3,Storing encryption key,self.java +5,1405558749,3,OCAJSE7 failed twice,self.java +2,1405557971,18,Trying to read large txt doc to array but when ran the array is filled with Null values,self.java +0,1405546603,5,NEW TO JAVA NEED HELP,self.java +2,1405543241,6,Hierarchical faceting using Spring data solr,self.java +0,1405538133,13,WTF Java wont add the site to the site list of exceptions HELP,self.java +2,1405533854,5,Chat server client I made,self.java +6,1405531152,34,I am so frustrated I just can t get started with developing somehing with java or an android game I can t get past all the installation stuff on tutorials I always get errors,self.java +10,1405525295,12,Build HTML Trees in Java Code We don t need no template,bayou.io +1,1405520831,15,Having a problem coding with arrays that accepts an array of objects in a class,self.java +3,1405520460,4,Java Debuggers and Timeouts,insightfullogic.com +5,1405518352,9,Creating a Null Pointer Checker for series of objects,self.java +0,1405516686,10,Is Retrofit ErrorHandler acceptable for handle an api level errors,self.java +31,1405508561,20,Hibernate Cache Is Fundamentally Broken and Hibernate team just closed the associated issue after being open for a few years,squirrel.pl +80,1405498101,8,lanterna Easy console text GUI library for Java,code.google.com +1,1405474848,7,Lightweight super fast RESTful web service engine,cuubez.com +2,1405467982,5,AlgPedia the free algorithm encyclopedia,algpedia.dcc.ufrj.br +23,1405462950,11,Java SE 8 Update 11 and Java SE 7 Update 65,blogs.oracle.com +4,1405456131,6,Oracle Critcial Patch Update July 2014,oracle.com +31,1405453046,6,Why doesn t Java have tuples,self.java +3,1405452478,10,Is it bad to import more packages than you need,self.java +8,1405445452,7,JSR 311 JAX RS vs Spring REST,self.java +15,1405444180,5,JSON B draft JSR available,java.net +0,1405443440,14,Programmers of Reddit I need your Help on this java Tic Tac Toe game,self.java +6,1405442609,10,An alternative approach of writing JUnit tests the Jasmine way,mscharhag.com +6,1405434327,7,Intro to Java textbook with actual problems,self.java +8,1405433830,5,Fixing Garbage Collection Issues Easily,blog.codecentric.de +13,1405427672,5,Native launcher for Java applications,richjavablog.com +21,1405421738,9,Library for converting documents into a different document format,documents4j.com +21,1405420331,10,Needing Advice Do I learn Spring MVC JSF or AngularJS,self.java +6,1405414744,4,Java text edit component,self.java +22,1405413967,4,Java s Volatile Modifier,blog.thesoftwarecraft.com +12,1405405413,9,Schedule Java EE 7 Batch Jobs Tech Tip 36,blog.arungupta.me +2,1405393715,5,How to input multiple variables,self.java +14,1405391609,13,Would love a casual code review if you ve got a spare moment,self.java +0,1405381110,6,Java tic tac toe game help,self.java +15,1405371012,11,ArrayList and memory layout in Java and a comparison to C,self.java +4,1405369327,4,Need help with JApplet,self.java +3,1405365782,15,Stuck on a problem involving a method dealing with loops strings and a return value,self.java +0,1405363010,4,Need help with code,self.java +37,1405360978,7,Java s generics are getting more generic,sdtimes.com +9,1405360775,6,Java 8 More Functional Relational Transformation,blog.jooq.org +0,1405355260,20,Will Java EE 6 7 skills be in demand as much as Spring Hibernate over the next couple of years,self.java +11,1405347523,10,Server vs client side rendering AngularJS vs server side MVC,technologyconversations.com +6,1405341998,8,Latest and the best SPRING 4 HIBERNATE 4,jabahan.com +0,1405297784,8,I need some help with a simple problem,self.java +78,1405289582,13,Why do all the code teaching websites like CodeAcademy have everything but java,self.java +4,1405282216,6,Erros occurring during build in Eclipse,self.java +3,1405267228,7,Calculate Hash Values Using Google Guava Library,dev.knacht.net +5,1405257104,13,Summer project first time working with GUI Best way to go around it,self.java +8,1405256917,7,JBoss EAP 6 2 Clustered Setup Testing,self.java +24,1405246678,11,The Java Origins of Angular JS Angular vs JSF vs GWT,blog.jhades.org +23,1405246176,11,July 2014 Infant Edition State of the Specialization by Brian Goetz,cr.openjdk.java.net +12,1405209556,13,Is it considered bad practice to use toString hashCode as the hashCode method,self.java +14,1405196930,13,Get your Event Sourced web application development started with one line using Maven,blogg.bouvet.no +0,1405194713,5,Como conectar Java y Mysql,hermosaprogramacion.blogspot.com +18,1405186227,10,How popular Apache Camel vs Mule ESB vs Spring Integration,andhuvan.wordpress.com +27,1405165884,15,Question What is the real world use case of Nashorn JavaScript engine in Java 8,self.java +3,1405157505,7,IntelliJ IDEA 13 1 is painfully slow,self.java +0,1405150326,8,Fast JSF project startup with happyfaces maven archetype,intelligentjava.wordpress.com +0,1405148726,33,Can anyone help me with setting up some small java programs as assignment It would be very helpful if I can get some links that can provide with some programs Thanks in advance,self.java +2,1405137482,7,Writing to the top of a file,self.java +9,1405126391,9,Musing about a build tool that doesn t exist,self.java +1,1405123864,4,Gson array loading help,self.java +5,1405120054,6,Good free resource to learn Swing,self.java +7,1405111650,4,PC Minecraft on Pi,self.java +7,1405103809,4,Java Built in Exceptions,tutorialspoint.com +35,1405100422,5,Java Memory Model Pragmatics transcript,shipilev.net +3,1405099679,3,eclipse not opening,self.java +8,1405088849,3,Why IntelliJ Idea,self.java +7,1405084977,7,gonsole weeks a git console for eclipse,codeaffine.com +57,1405077698,12,Why Build Your Java Projects with Gradle Rather than Ant or Maven,drdobbs.com +0,1405067404,11,JSF 2 x Tip of the Day Encoding Text for XML,javaevangelist.blogspot.nl +6,1405050589,17,Looking forward to replace Spring Transactional with org softus cdi transaction transaction cdi Has anybody tried it,self.java +3,1405044562,2,Simple GUI,self.java +25,1405043833,12,A performance comparison redux Java C and Renderscript on the Nexus 5,learnopengles.com +1,1405037981,4,Configuring Maven in Eclipse,self.java +9,1405037343,9,Spring Session Project debuts a new approach to HTTPSession,spring.io +14,1405020052,3,PrimeFaces MetroUI Demo,blog.primefaces.org +5,1405018856,12,My first big project need some help with XML StAX based parsing,self.java +11,1405014846,5,Defaults in Java EE 7,blog.arungupta.me +21,1405014212,7,JavaEE From zero to app in minutes,opendevelopmentnotes.blogspot.com +0,1405000357,13,What are some noticeable amp concrete examples of Java applications Particularly web applications,self.java +5,1404996299,15,Web Development Using Spring and AngularJS Tutorial 6 Persistence Configuration using H2 DBCP and Hibernate,youtube.com +0,1404996177,8,Spring Batch Handling exceptions and retrying Cegeka Blog,blog.cegeka.be +6,1404993846,8,Ensuring proper Java character encoding of byte streams,blog.lingohub.com +38,1404987990,6,A Call For Help Awesome Java,self.java +6,1404967019,1,Swing,self.java +5,1404945614,10,What resources do you recommend for 3D java game dev,self.java +11,1404942930,5,Java Annotated Monthly June 2014,blog.jetbrains.com +28,1404936350,13,Forget about JavaOne Let s talk about the feature list for Java 9,theserverside.com +8,1404934035,10,Resurfaced performance issue in mojarra fixed in 2 2 7,blog.oio.de +2,1404933637,4,Java Assignments and Projects,self.java +4,1404924585,4,Result New Project Valhalla,mail.openjdk.java.net +0,1404907760,4,Finally return considered harmful,schneide.wordpress.com +15,1404906944,10,Writing Tests for Data Access Code Unit Tests Are Waste,petrikainulainen.net +28,1404903780,3,Java Classloaders Tutorial,zeroturnaround.com +19,1404902992,9,Convert Java Objects to String With the Iterator Pattern,blog.stackhunter.com +14,1404895732,9,RxJava Java SE 8 Java EE 7 Arquillian Bliss,lordofthejars.com +5,1404864593,8,How to organize projects with custom lambda interfaces,self.java +2,1404858425,2,Clash Inspector,clashinspector.com +1,1404858313,2,RxJava Observable,github.com +11,1404858243,9,Bouncy Castle final beta of 1 51 now available,bouncy-castle.1462172.n4.nabble.com +0,1404858236,9,Where to report bugs found within the java libraries,self.java +1,1404858173,7,VisNow generic visualization framework in Java technology,visnow.icm.edu.pl +3,1404858097,9,Base abstractions and templates for value classes for Java,github.com +0,1404857288,8,Apache Tomcat Native 1 1 31 released SSL,mail-archives.apache.org +2,1404845716,10,Start a service in a thread from application scoped bean,self.java +0,1404845032,5,what kind of this sintax,self.java +1,1404844460,4,Finding Relative File Path,self.java +0,1404839623,8,Building the PrimeFaces Mobile translation demo with NetBeans,robertjliguori.blogspot.com +8,1404833795,38,Can one specialize in one part of java and hope to get a job For example JavaFX or JavaServer Faces Can I specialize in one of them and have a good chance of finding employment as a programmer,self.java +1,1404832479,6,Memory barriers and visibility between threads,self.java +2,1404828419,2,Serializing ScriptEngine,self.java +45,1404825273,7,Top 50 Threading Questions from Java Interviews,javarevisited.blogspot.sg +55,1404815326,8,Develop using IntelliJ IDEA Check your productivity guide,blog.idrsolutions.com +10,1404807470,7,JBoss Tools m2e 1 5 0 improvements,tools.jboss.org +11,1404803902,10,Java EE 7 and more on WebLogic 12 1 3,blogs.oracle.com +3,1404799385,5,Method not returning int help,self.java +8,1404792913,7,Securing Your Applications with PicketLink and DeltaSpike,in.relation.to +1,1404780396,17,Can anyone link me to a really good tutorial on how to use Scene Builder with NetBeans,self.java +1,1404777530,7,Good book for Java and OOP design,self.java +0,1404772919,7,Project I can finish in 4 days,self.java +0,1404772188,26,I don t know if I am asking this right but why don t I have to make an object for third party or external libraries,self.java +9,1404771334,9,JUnit testing exceptions with Java 8 and Lambda Expressions,blog.codeleak.pl +0,1404767968,11,The best way to visualize TONS of data on interactive chart,self.java +0,1404765077,8,How to subtract an int from an int,self.java +2,1404763743,7,Best Way to Learn Web Dev Technologies,self.java +13,1404763421,6,Jaxrs Basic HTTP Authentication sample application,code.google.com +0,1404761281,5,Best java architecture for SaaS,self.java +12,1404759789,7,Java interview questions for a junior beginner,self.java +3,1404749740,6,How can I combine multiple Doclets,self.java +15,1404735672,11,Java Weekly 3 Microservices Java 8 features upcoming events and more,thoughts-on-java.org +0,1404735008,4,Resources to learn java,self.java +12,1404734337,8,Practice before starting a junior Java dev job,self.java +14,1404731630,8,What s the difference between Tomcat and TomEE,self.java +5,1404728298,9,Is there any way to modify code at runtime,self.java +8,1404726456,5,Lambda Behave 0 2 Released,insightfullogic.com +2,1404726393,9,Cluster Analysis in Java with Dirichlet Process Mixture Models,blog.datumbox.com +22,1404719189,6,Videos of all Geekout 2014 presentations,2014.geekout.ee +11,1404718660,5,Free Spring Framework Course 101,youtube.com +4,1404710630,30,I m new to non gui programming languages but not new to programming as a concept What s the best way for me to learn java for all general purposes,self.java +8,1404683134,3,Understanding Scanner Sc,self.java +5,1404681510,5,Mavenize your custom PrimeFaces theme,jsfcorner.blogspot.com +10,1404659671,4,Easier Spring version management,blog.frankel.ch +1,1404620849,16,How can I save a hashmap so I can read it later after terminating my program,self.java +2,1404610823,4,Basic java before android,self.java +3,1404605759,5,Setting up a swing GUI,self.java +10,1404595804,4,Apache Commons Sandbox OpenPgp,commons.apache.org +20,1404586033,5,Maven 3 2 2 Release,maven.40175.n5.nabble.com +15,1404585636,8,Netty 4 0 21 Final released Performance improvements,netty.io +11,1404560920,7,JCP News WebSocket and Batch maintenance reviews,blogs.oracle.com +3,1404511290,9,Best way to visualize transactions within a spring application,self.java +6,1404507268,5,Introducing the Java EE Squad,blogs.oracle.com +7,1404498819,4,Tools for java teacher,self.java +0,1404497631,11,New to java trying to figure Time for scripting in unity,self.java +41,1404493234,6,Java vs Scala Divided We Fail,shipilev.net +4,1404484865,5,Help writing some basic programs,self.java +12,1404475925,8,Spring Social Facebook 2 0 0 M1 Released,spring.io +0,1404473008,3,new to java,self.java +2,1404453991,2,CVQuest feedback,self.java +2,1404424179,13,Everything Developer Need to Know About new Oracle WebLogic 12 1 3 Whitepaper,oracle.com +0,1404422688,7,How to switch between two class implementations,self.java +0,1404415928,12,Spring 4 CGLIB based proxy classes with no default constructor Codeleak pl,blog.codeleak.pl +1,1404414924,15,InfoQ s Matt Raible on Spring IO Platform news what it means to Java devs,infoq.com +0,1404412965,23,Why is Java the most popular language Why do Java programs have terrible UI s Can Java not use the Microsoft Windows look,self.java +8,1404411214,6,Developers Guide to Static Code Analysis,zeroturnaround.com +2,1404407222,8,Problems comparing strings that are supposedly the same,self.java +18,1404406644,28,Michael Vorburger s Blog v2 Java 8 null type annotations in Eclipse Luna v4 4 your last NullPointerException ever The End of the World as we know it,blog2.vorburger.ch +2,1404402697,6,Incompatible JVM Please help a newbie,self.java +8,1404396782,7,Eclipse Luna hangs in every other minute,self.java +57,1404390360,17,Web Development Using Spring and AngularJS Fifth Tutorial Released Spring Exceptions JSON Annotations and the ArgumentCaptor object,youtube.com +8,1404389831,6,Explicit vs Implicit configuration in Spring,literatejava.com +3,1404347709,10,Boncode IIS to Tomcat Connector alternative to Apache ISAPI plugin,tomcatiis.riaforge.org +1,1404347702,6,Help With Coding Priority Queues Java,self.java +2,1404338153,4,Help with magical code,self.java +2,1404337297,19,Beta2 of compile time model mapping generator MapStruct is out with support for Java 8 Joda Time and more,mapstruct.org +0,1404333760,3,Is Java safe,self.java +4,1404333268,9,How to send a webdriver to a javascript link,self.java +12,1404333140,10,Who else thinks that Eclipse Luna looks better on Ubuntu,imgur.com +24,1404328105,5,JAVA 4 EVER Official Trailer,youtube.com +4,1404325402,3,Thoughts on OrientDB,self.java +23,1404323835,4,Project Jigsaw Phase Two,mreinhold.org +8,1404323272,5,Mojarra 2 1 29 released,java.net +27,1404313816,14,You Want to Become a Software Architect Here is Your Reading List Jens Schauder,java.dzone.com +12,1404306483,6,Project Nashorn JavaScript on the JVM,blog.codecentric.de +0,1404304534,18,Are there any tutorials out there showing how you can create a Restful Webservice with Maven and Eclipse,self.java +91,1404289945,9,Why I not impressed by Luna s Dark Theme,imgur.com +3,1404270736,19,I have 50 to spend on books to learn Java and computer science in general What should I buy,self.java +0,1404269037,15,Web application simple and SPA simple page application using Spring MVC Thymeleaf Bootstrap Twitter Flight,apprenticeshipnotes.org +1,1404264832,14,Interview with Fred Guime organizer Chicago Java UG CJUG at GOTO Chicago 2014 UGtastic,ugtastic.com +12,1404245213,9,AnimateJSF a thin JSF library to animate JSF components,animatejsf.org +1,1404243717,14,Codelet Automated insertion of example code into JavaDoc using taglets Call for beta testers,self.java +1,1404242817,10,Yet another way to handle exceptions in JUnit catch exception,blog.codeleak.pl +5,1404242259,10,How to make Java more dynamic with runtime code generation,zeroturnaround.com +1,1404236527,7,Java EE IDE Which do you prefer,self.java +18,1404236490,6,What is the status of Swing,self.java +37,1404235843,9,Next major version of Gradle is out 2 0,reddit.com +1,1404235795,9,Anyone willing to help out with a Geotool issue,self.java +0,1404225145,7,Using Web Components in plain Java Blog,vaadin.com +19,1404210148,8,Widespread locking issue in log4j and logback appenders,plumbr.eu +35,1404183389,6,Open source java projects for beginners,self.java +4,1404174900,20,Beginner here just made a simple program to output random numbers and am proud of myself but have some questions,self.java +1,1404173657,11,Java Update 60 being interrupted every time I try to install,self.java +7,1404167108,5,Performance of Random nextInt n,self.java +2,1404152108,7,Spring Data release train Dijkstra SR1 available,spring.io +9,1404145750,8,Test Data Builders and Object Mother another look,blog.codeleak.pl +12,1404144528,7,Using websockets in Java using Spring 4,syntx.io +3,1404138843,9,Looking for suggestions to supplement my income with Java,self.java +55,1404136156,7,IntelliJ IDEA 14 Early Preview is Available,blog.jetbrains.com +0,1404135619,1,Java,self.java +0,1404132290,12,learn how to create website pages and forms with js and java,webix.com +5,1404130726,13,While comparing java web frameworks what would be the most relevant comparison points,self.java +0,1404127786,4,Des Lenses en Java,infoq.com +5,1404121396,4,Rest web service sample,javafindings.wordpress.com +2,1404119781,5,IDE specific shortcut for sysout,therdnotes.com +54,1404110302,12,Why Lingohub is switching from Ruby on Rails to Java Spring MVC,snip.ly +16,1404075755,8,Why is Spring MVC better than Servlets JSP,self.java +13,1404073934,4,java for game creation,self.java +13,1404073049,13,Java Weekly 2 JPA 2 1 Java8 JSR 351 Eclipse Luna and more,thoughts-on-java.org +10,1404069269,7,Apache Maven JAR Plugin 2 5 Released,maven.40175.n5.nabble.com +29,1404067402,22,Retrofit is a type safe REST client just define an interface with url templates and request bodies x post from r javapro,square.github.io +4,1404065398,8,Java Bean Introspector and Covariant Generic Returns 2012,znetdevelopment.com +1,1404061788,3,Conflicting String Methods,self.java +17,1404061696,7,Apache Tomcat 8 0 9 stable available,mail-archives.apache.org +3,1404058322,8,First release of Integration Testing from the Trenches,blog.frankel.ch +0,1404019728,6,JUnit Testing Private Methods and Fields,markreddy.ie +10,1403993506,6,Jasper Reports JRXML Iterating a list,self.java +2,1403982969,16,Java TIL You can break to an outer loop with a label x post r JavaTIL,reddit.com +0,1403950119,10,How to cast java io file to java lang class,self.java +18,1403941526,7,Bayou Async Http Server for Java 8,bayou.io +0,1403936076,15,A variable timer I wrote in my free time anyone see anything wrong with it,self.java +15,1403905043,4,Java web host recommendations,self.java +10,1403904406,7,nanobench Tiny benchmarking framework for Java 8,github.com +9,1403901592,5,Packaging PostgreSQL with Java Application,self.java +69,1403900575,9,What s some simple code that is really smart,self.java +27,1403899125,19,IntelliJ 14 EAP opens Code Coverage tool Structural Search and Replace and Type Migration refactoring part of Community Edition,blog.jetbrains.com +13,1403889628,6,Using Markdown syntax in Javadoc comments,mscharhag.com +4,1403888125,20,Web Development Using Spring and AngularJS Fourth Tutorial Released Covering Controller Development Integration of HATEOAS Support and The PathVariable Annotation,youtube.com +0,1403885699,13,Please give me the link torrent or direct to download JAVA Tutorial Videos,self.java +21,1403883244,5,Blog Introducing Spring IO Platform,spring.io +2,1403882157,11,Any Vaadin or Struts2 Developers that can answer a few questions,self.java +5,1403880946,7,IntelliJ not refreshing file statuses and diffs,self.java +2,1403873405,11,When do you like to take time to learn new tech,self.java +13,1403864789,19,Oracle WebLogic Server 12 1 3 is released with emphasis on HTML 5 apps JAX RS websocket JSON JPA,blogs.oracle.com +12,1403828033,10,Large projects How do you get up to speed quickest,self.java +0,1403810037,9,Selection from MySql using JDBC Xpost from r MySql,self.java +86,1403806257,5,Top 10 Eclipse Luna Features,eclipsesource.com +6,1403800079,12,Spring IO Platform releases a versioned cohesive Spring as a Maven BOM,spring.io +6,1403796343,5,Notes on False Sharing Manifestations,psy-lob-saw.blogspot.com +15,1403766524,6,Making operations on volatile fields atomic,vanillajava.blogspot.co.uk +9,1403766458,5,New Ribbon component in PrimeFaces,blog.primefaces.org +1,1403754120,23,Is it a common acceptable pattern to have a maven module just for model classes so that it can be shared between apps,self.java +2,1403751751,14,How to test for performance and issues of sharing a database with another app,self.java +0,1403751596,3,Updated Java Tutorials,coffeehouseprogrammers.com +3,1403748538,8,Service for Java Programming similar to Google Docs,self.java +3,1403743973,10,A modern testing and behavioural specification framework for Java 8,richardwarburton.github.io +2,1403737573,9,Help with action bar in eclipse Dev android tutorial,self.java +0,1403735463,8,Why should we dump the Java EE Standard,lofidewanto.blogspot.de +2,1403734492,5,Java EE Code Visualization Tools,self.java +0,1403732082,2,Learning Java,self.java +0,1403725689,25,Trying to generate thumbnails from an array of video files and I have no idea what library or how I would go about doing this,self.java +8,1403725585,4,Eclipse Luna and JDK8,jdevelopment.nl +0,1403724516,19,Spring Boot 1 1 2 available The Ease of Ruby Portability of Spring and the perfect BOYC PaaS container,spring.io +3,1403707635,15,Java class Packet contains array of objects of type Packet Please explain to Java newcomer,self.java +2,1403703010,6,Spring Batch Develop robust batch applications,blog.cegeka.be +109,1403701616,7,Eclipse 4 4 Luna is available now,download.eclipse.org +19,1403695451,8,An ultra lightweight high precision logger for OpenJDK,developerblog.redhat.com +10,1403692098,15,what specific types of apps are best to be developed on specific Java web frameworks,self.java +5,1403670508,7,Design consideration for sharing database between applications,self.java +2,1403655867,17,SpringOne2gGX 2014 Super Early Bird extended to June 30th Dallas TX Omni Hotel Sept 8 11 2014,springone2gx.com +32,1403649486,8,A library to generate PDF from JSON documents,github.com +20,1403641885,6,NetBeans IDE 8 0 Satisfaction Survey,netbeans.org +5,1403637963,12,Experienced C Ruby developer looking to get into Java looking for resources,self.java +0,1403623329,5,Writing a FastCGI listening socket,self.java +5,1403616640,5,Astyanax Connecting to multiple keyspaces,markreddy.ie +13,1403615109,5,starting open source scientific project,self.java +26,1403601401,10,New book Java EE 7 with GlassFish 4 Application Server,blogs.oracle.com +8,1403597768,6,Classes in the Java Language Specification,vanillajava.blogspot.co.uk +35,1403594660,11,Experiences with migrating from JBoss AS 7 to WildFly 8 1,jdevelopment.nl +18,1403584856,4,FizzBuzz and other Questions,self.java +0,1403541688,7,Is Java worth using for web applications,self.java +0,1403538481,5,How treemap works in java,javahungry.blogspot.com +48,1403535747,11,Get free Java stickers to show your love of the language,java.net +13,1403514486,7,Java Tools and Technologies Landscape for 2014,zeroturnaround.com +3,1403511752,8,Broadleaf Commerce Enterprise eCommerce framework based on Spring,github.com +1,1403511531,6,Apache PDFBox 1 8 6 released,mail-archives.apache.org +18,1403509903,9,Java Weekly 1 CDI Java8 Bean Validation and more,thoughts-on-java.org +10,1403505143,5,Netty with Forked Tomcat Native,netty.io +0,1403487393,3,Menu Bar help,self.java +0,1403466998,6,Can someone help me install eclipse,self.java +0,1403464832,7,The right bean at the right place,blog.frankel.ch +0,1403463953,8,Any Unique Software IDEA to Make Money Quickly,self.java +40,1403435976,8,CFV Project Valhalla Project Proposal by Brian Goetz,mail.openjdk.java.net +17,1403428031,5,Enhance your testing with Spock,thejavatar.com +2,1403424592,10,Modifying User s Input on Command Line with Java Code,self.java +4,1403387263,10,Tyche a simple way to make random junit test data,self.java +0,1403385444,5,Need help with this error,self.java +24,1403352604,16,Tweety A comprehensive collection of Java libraries for logical aspects of artificial intelligence and knowledge representation,tweetyproject.org +4,1403352541,10,Implementation of the Try Success Failure Scala API for Java,github.com +2,1403343445,13,It s not Spring anymore it s the summer of Java EE 7,nmpallas.wordpress.com +6,1403322889,9,Bridging the gap between Domain objects data and JavaFX,self.java +18,1403319095,9,What is a good road map for learning Java,self.java +0,1403297811,5,Embedding Perl 6 in Eclipse,donaldh.github.io +10,1403292347,7,Getting started with Java what s relevant,self.java +4,1403291864,6,AWS SDK For Java TransferManager Lifecycle,github.com +18,1403288878,5,e commerce website in java,self.java +11,1403286206,11,It shouldn t hurt to write Command Line Applications in Java,news.ycombinator.com +4,1403275317,18,Zipkin is a distributed tracing system for gathering timing data from distributed architectures x post from r javapro,github.com +12,1403272430,8,Boston area developers JUDCon2014 Boston is next week,developerblog.redhat.com +4,1403269511,18,Web Development Using Spring and AngularJS Third Tutorial Released Covering Jackson Configuration and The Spring MVC Test Framework,youtube.com +8,1403264493,9,The Best Java 8 Resources Your Weekend is Booked,blog.jooq.org +56,1403256867,17,The complete Java Tools and Technology Landscape for 2014 report data in a single mind map image,zeroturnaround.com +2,1403231258,13,How to run javascript code in JavaFx WebView after the page is loaded,self.java +3,1403223728,8,Joins and Mapping many to many in jOOQ,self.java +18,1403219355,10,You think you know everything about CDI events Think again,next-presso.com +6,1403217536,6,Alternative to AWS SDK for Java,self.java +0,1403216787,5,Best way to learn Java,self.java +6,1403201420,8,Help with a project making a video game,self.java +4,1403197310,8,From C to Java to Android Application Development,self.java +8,1403180284,3,Where to now,self.java +17,1403179829,3,Hibernate Search reindexing,self.java +3,1403179183,5,System Tray popup menus Win7,self.java +10,1403156642,3,newFixedThreadPool implementation question,self.java +0,1403155987,14,Why do people keep asking if I m interviewing when asking for java help,self.java +0,1403155389,10,How can I detect if one image collides with another,self.java +0,1403154576,15,Why can I not detect intersection in paint method with one object but not another,self.java +1,1403153008,5,Error when making Celsius Converter,self.java +1,1403152328,6,Best Books or article about Spring,self.java +0,1403144178,9,Using Netbeans table and populating with data form database,self.java +0,1403134212,3,Question about Netbeans,self.java +0,1403134180,7,How to detect collision with another image,self.java +39,1403132972,12,Javascript for Java Developers a dive into the language most unusual features,blog.jhades.org +2,1403120866,17,OpenJDK Panama new connections between the Java virtual machine and well defined but foreign non Java APIs,mail.openjdk.java.net +6,1403109937,7,Top seven Java 8 Books in 2014,codejava.net +5,1403101471,7,gonsole weeks content assist for git commands,codeaffine.com +4,1403098643,8,Java Build Tools Ant vs Maven vs Gradle,technologyconversations.com +5,1403095620,5,Rectangle class java lang Object,self.java +0,1403095409,9,How to put a java game on a website,self.java +10,1403092055,12,Dad asked me to help him out Need advice on how to,self.java +55,1403082403,16,How your addiction to Java 8 default methods may make pandas sad and your teammates angry,zeroturnaround.com +0,1403064406,6,Character Class isDigit char hc question,self.java +37,1403046353,7,An interactive Java tutorial for complete beginners,ktbyte.com +2,1403034696,10,Java Application Architecture Tutorial 1 Wiring up The Spring Framework,youtube.com +5,1403031105,2,Best IDE,self.java +28,1403000615,6,Force inline Java methods with annotations,nicoulaj.github.io +2,1402986356,6,Help with using RescaleOp and BufferedImage,self.java +0,1402953491,2,ELI5 OSGi,self.java +2,1402951164,6,Most Popular Programming Languages of 2014,blog.codeeval.com +48,1402941519,11,Happiest Jobs For The Class Of 2014 Java Dev No 1,forbes.com +8,1402939999,22,Just released my second tutorial on web development using Spring and AngularJS I m covering the basics of JUnit Mockito and TDD,youtube.com +6,1402935974,6,Making Java secure at the JVM,networkworld.com +87,1402932445,11,Eclipse Luna 4 4 is almost here June 25 release date,projects.eclipse.org +0,1402927241,7,Why Abstract class is Important in Java,java67.blogspot.sg +6,1402910661,6,faster way to compare file contents,self.java +2,1402905353,25,Byte Buddy is a code generation library for creating Java classes during the runtime of a Java application and without the help of a compiler,bytebuddy.net +4,1402897640,10,I need help accessing an existing excel document in java,self.java +78,1402897094,5,9 Fallacies of Java Performance,infoq.com +21,1402878654,20,Are you new to Java Link to in progress java tutorial site I will teach everything from scratch starting now,coffeehouseprogrammers.com +6,1402870092,11,Lag and unexpected movement when moving object in JFrame implementing Runnable,self.java +0,1402866455,10,need help debugging small bit of code dealing with parse,self.java +2,1402863386,7,HttpComponents Client 4 3 4 GA Released,mail-archives.apache.org +4,1402863293,6,Apache Continuum 1 4 2 Released,mail-archives.apache.org +5,1402860721,5,Resources about optimizing Java code,self.java +1,1402853280,9,Is there a shortcut for x post r eclipse,reddit.com +1,1402847126,7,Help Imported Image not appearing in JFrame,self.java +15,1402845149,7,Should I migrate from GlassFish to Tomcat,self.java +18,1402842049,3,The Stream API,blog.hartveld.com +4,1402835058,5,Machine for java web Dev,self.java +4,1402830413,6,33 Most Commons Spring MVC Tutorials,programsji.com +0,1402823077,7,What does mean in between return values,self.java +6,1402822877,10,Looking for recommendations on advanced Unit Integration and Behavioral testing,self.java +1,1402785510,13,Integration testing with Arquillian and CDI support deployed into Tomcat 7 application server,codelook.com +46,1402778163,4,Why Java over C,self.java +19,1402777116,7,Packaging by Feature versus Packaging by Layer,javapractices.com +0,1402774940,1,Programming,self.java +5,1402770723,19,Looking for some old posts about some reports on how used are some technologies and can t find them,self.java +17,1402762935,9,JavaFX Why it matters even more with Java 8,justmy2bits.com +0,1402757417,13,Psychosomatic Lobotomy Saw Advice for the concurrently confused AtomicLong JDK7 8 vs LongAdder,psy-lob-saw.blogspot.sg +5,1402754877,15,Netty 4 0 20 Final released and Netty 3 9 2 Final CVE 2014 3488,netty.io +17,1402754263,10,Hotswap agent provides Java unlimited runtime class and resource redefinition,hotswapagent.org +17,1402750493,10,Extractors a Java 8 abstraction for handling possibly absent values,codepoetics.com +4,1402729626,5,Get images from r EarthPorn,self.java +4,1402722262,4,IP address and java,self.java +2,1402710604,16,How to read a text file from an imported file within the same project in Eclipse,self.java +8,1402707863,10,What is was so great about Apache Struts and Tiles,self.java +4,1402706369,8,How to get familiar with coding in eclipse,self.java +13,1402694972,8,10 Subtle Mistakes When Using the Streams API,blog.jooq.org +34,1402694232,21,Is Java the most prevalent language in the finance world And how does it compare to Scala for that use case,self.java +2,1402690936,8,Help with putting JLabels into ArrayLists in NetBeans,self.java +0,1402688023,21,Q I accidentally deleted my input console I am new to eclipse and I can t seem to get it back,self.java +2,1402685053,5,Android lt gt iOS implementation,self.java +4,1402672770,8,Border Collision Question taking object size into account,self.java +26,1402671999,7,Where to Deploy small Java Web apps,self.java +3,1402667044,13,Questions about a Java Test Game keylistener paint paint component Image Graphic repaint,self.java +0,1402665667,14,How to do remote profiling if you have only console access to remote machine,blog.knoldus.com +15,1402662456,8,Implement Validation Using JSR 303 Annotations in Spring,codeproject.com +16,1402633447,2,count logic,self.java +15,1402610581,6,Apache Ant tasks for JMX access,peter-butkovic.blogspot.de +8,1402609902,25,I m new to Java and decided to try start a cipher encoder decoder I currently have one cipher supported and feedback is much appreciated,self.java +0,1402589520,6,JDBC data import to Orchestrate DBaaS,orchestrate.io +15,1402581051,4,Exercises for Java 8,self.java +20,1402564857,10,Advice for the concurrently confused AtomicLong JDK7 8 vs LongAdder,psy-lob-saw.blogspot.com +3,1402527442,11,Why won t the Mac version of Chrome support Java 7,self.java +1,1402525502,5,The jwall tools ModSecurity Toolbox,jwall.org +3,1402525166,6,Jetty 9 2 1 v20140609 Released,jetty.4.x6.nabble.com +0,1402509668,8,RSS Reader Using ROME Spring MVC Embedded Jetty,eyalgo.com +0,1402508865,14,How to do remote profiling if you have only console access to remote machine,dzone.com +0,1402496691,5,Print Diagnostics with Struts2 issue,self.java +0,1402496178,6,How to Install Apache Tomcat 7,youtu.be +0,1402495694,7,A Playful Eye for the JEE Guy,mbarsinai.com +6,1402493995,5,Mojarra 2 2 7 released,java.net +3,1402490324,3,Structuring JavaFX applications,yennicktrevels.com +14,1402486493,6,Java Thumbnail Generator ImageScalar vs ImageMagic,paxcel.net +0,1402484359,13,How to Set Up Apache Tomcat v 7 with Eclipse IDE using WTP,youtu.be +1,1402478334,12,Discover How to Set Up Apache Maven with Eclipse IDE and m2e,youtu.be +0,1402476923,9,Troubleshooting Apache Maven amp Eclipse WTP Web Tools Platform,youtu.be +12,1402473117,7,Feedback for an aspiring JEE software developer,self.java +0,1402443512,13,I need to see if these two Java games work on your computer,self.java +1,1402419084,9,Need some help on java doc rtf pdf generation,self.java +0,1402415274,12,Can you convert Inkscape s svg file to a png in java,self.java +35,1402411432,11,Check out and provide feedback for my java concurrency library Threadly,self.java +16,1402410944,7,A beginner s guide to Hibernate Types,vladmihalcea.com +5,1402409849,13,JetBrains Newsletter June 2014 0xDBE Brand New IDE for DBAs and SQL Developers,info.jetbrains.com +2,1402407901,4,Continuous Delivery Unit Tests,technologyconversations.com +0,1402399146,11,Export CSV and Excel from Java web apps With Data Pipeline,northconcepts.com +1,1402391852,12,Create Auto Refreshing Pie Chart Bar Chart in Servlet dynamically using JFreeChart,simplecodestuffs.com +49,1402390722,9,All java lang OutOfMemoryErrors with causation examples and solutions,plumbr.eu +16,1402387297,5,JDK8 Lottery Davy Van Roy,jacobsvanroy.be +12,1402375835,10,Lambda A Peek Under the Hood must watch very technical,techtalkshub.com +1,1402369477,14,Dynamic Dependent Select Box using JQuery and JSON in JSP amp Servlet via Ajax,simplecodestuffs.com +3,1402369268,13,What are your favorite HTTP clients and how do you handle path parameters,self.java +4,1402336044,8,AJAX implementation in JSP and Servlet using JQuery,simplecodestuffs.com +25,1402333086,10,TIL an important difference with frame pack vs frame validate,self.java +0,1402329124,9,A single simple rule for easier Exception hierarchy design,blog.frankel.ch +0,1402326936,9,A single simple rule for easier Exception hierarchy design,blog.frankel.ch +0,1402325600,6,Introduction to Play 2 for Java,informit.com +20,1402324304,5,Best way to distribute programs,self.java +1,1402317880,6,Good place to start learning Java,self.java +12,1402302883,10,Clean up your kids toy box with the loan pattern,self.java +0,1402298070,14,Could someone explain the purpose of constructors and method parameters in somewhat simple terms,self.java +8,1402297879,7,Java basic medium topics resources for programmers,self.java +7,1402295973,9,OpenJDK Sumatra Project Bringing the GPU to Java TechTalksHub,techtalkshub.com +4,1402295616,9,Java Heap Dump Analysis using Eclipse Memory Analyzer MAT,simplecodestuffs.com +0,1402278743,2,Java help,self.java +33,1402249787,10,Looking for tutorials exercises to practice more advanced Java topics,self.java +7,1402218043,6,Version Control Best Practices from Rainforest,java.dzone.com +1,1402204578,6,Concept associated with web service technology,simplecodestuffs.com +14,1402195031,7,JenkinsCI User Conference 6 18 in Boston,jenkins-ci.org +0,1402190559,14,How can I use junit to unit test java code from the command line,self.java +0,1402187387,10,Any recommendations for a good ultra portable for Java programming,self.java +0,1402176640,13,Why does gradle run only seem to work from the Windows command line,self.java +24,1402176150,5,Safeguarding Against Java Remote Execution,blog.ktbyte.com +0,1402171232,10,World Life Without JAVA Please make it a real film,youtube.com +0,1402167156,3,Hibernate with Spring,softwarecave.org +10,1402164455,7,Help with comparing large amounts of Strings,self.java +0,1402131082,11,Can anyone help feeding a constructor from file into an array,self.java +10,1402124225,12,How to store security permissions roles and role permissions in source code,self.java +2,1402117114,6,Help with building upon Java fundamentals,self.java +14,1402105579,8,Choosing a project to motivate my learning process,self.java +24,1402100837,11,What s the quickest way to build a Java web app,self.java +0,1402092291,6,Can You Make Bots in Java,self.java +1,1402087368,8,Concept of Servlets Vs Concept of Struts 2,simplecodestuffs.com +2,1402078027,6,What is Web Services An Introduction,simplecodestuffs.com +27,1402069731,10,Hazelcast Redis equivalent in pure Java embeddable Apache 2 license,hazelcast.com +2,1402061391,8,Out of memory Kill process or sacrifice child,plumbr.eu +20,1402056239,10,Java 8 Friday JavaScript goes SQL with Nashorn and jOOQ,blog.jooq.org +7,1402053946,9,Spring Question about channels and gateways in Spring Integration,self.java +27,1402045686,7,Eclipse Key Shortcuts for Greater Developers Productivity,vitalflux.com +1,1402043352,12,AJAX based CRUD Operations in Java Web Applications using jTable jQuery plugin,simplecodestuffs.com +43,1402011500,12,New Tutorial Series How To Develop Web Applications Using Spring and AngularJS,youtube.com +18,1402010894,12,Why Java is used more than Python in big and medium corporations,self.java +9,1402002068,5,Java Database File Strategy Pattern,self.java +8,1402001766,13,xcmis An extensible implementation of OASIS s Content Management Interoperability Services CMIS specification,code.google.com +20,1402000512,9,Autocomplete in java web application using Jquery and JSON,simplecodestuffs.com +3,1401986233,5,Can anyone help with raycasting,self.java +0,1401981543,26,I want to improve but don t know how How can I make this code better or faster AFAIK it works perfectly Please help me improve,pastebin.com +9,1401977813,7,Android Resources concept for plain Java applications,self.java +8,1401974758,12,Why touch Leap Motion Controller and JavaFX A new touch less approach,jperedadnr.blogspot.com.es +15,1401973717,6,How does Spring Transactional Really Work,blog.jhades.org +1,1401958154,9,Problem while trying to accept input line by line,self.java +7,1401944197,10,Advice for implementing solr for a Spring based ecommerce application,self.java +7,1401940053,12,Does anyone know how to get an early access version of 7u65,self.java +17,1401937187,14,How much of an asset is the Oracle Certified Java Programmer on a resume,self.java +0,1401930030,18,Trying to figure out a program to take multiple longitude and latitude points and convert them to azimuth,self.java +21,1401927724,1,JavaMoney,javamoney.github.io +13,1401927229,8,How can I create a shortcut using Java,self.java +1,1401912634,13,Can I do complex fraction Echelon row reduction using Java Apache Math Library,self.java +0,1401910999,8,Massachusetts Undergrad Summer classes for object oriented design,self.java +0,1401893068,4,OmniFaces 1 8 released,balusc.blogspot.sg +52,1401883706,5,Twitter Scale Computing with OpenJDK,youtube.com +25,1401881508,5,Considering Learning Java Some Questions,self.java +20,1401880687,10,Which method of using Hibernate is the best mostly used,self.java +1,1401843841,6,Having difficulty with writing an algorithm,self.java +2,1401841513,5,Fun project idea for class,self.java +1,1401829809,11,Xcelite easily serialize and deserialize Java beans to from Excel spreadsheets,github.com +38,1401829745,16,Root Framework a game library written on top of LWJGL for the creation of 2D games,github.com +0,1401829322,5,javassist 3 18 2 GA,github.com +1,1401829185,6,HtmlUnit 2 15 Jun 2 2014,htmlunit.sourceforge.net +0,1401823195,10,Copying a JavaScript Button and send it as a link,self.java +0,1401820402,3,Introducing Spring Cloud,spring.io +3,1401818768,7,Java Training Classes Real Time Online Training,hotfrog.com +19,1401804030,19,Is your Eclipse compiler slow Eclipse Bug 434326 Slow compilation of test cases with a significant amount of generics,bugs.eclipse.org +5,1401803542,10,Building HATEOAS API with Spring MVC JAX RS or VRaptor,zeroturnaround.com +1,1401801278,8,Choosing a fast unique identifier UUID for Lucene,blog.mikemccandless.com +5,1401798560,5,gonsole weeks git init gonsole,codeaffine.com +1,1401778473,10,8 Great Java 8 Features No One s Talking about,infoq.com +29,1401771112,10,Eventhub An open source event analysis platform built in java,github.com +3,1401770523,9,Why is my JDK download always stuck on 99,self.java +0,1401747532,6,Headaches and questions from a Sysadmin,self.java +16,1401738971,11,New release of OmniFaces sees light of day OmniFaces 1 8,balusc.blogspot.com +27,1401723139,9,JDK 8043488 Improved variance for generic classes and interfaces,bugs.openjdk.java.net +16,1401721837,8,Unit Testing how do you guys stay organized,self.java +19,1401719772,4,OmniFaces 1 8 released,showcase.omnifaces.org +29,1401718412,3,Proper password storage,self.java +3,1401713654,20,This guy argues that having too many classes in Java is a bad thing and I couldn t agree more,javacodegeeks.com +7,1401702188,7,Java Maven Struts2 with MS SQL Headache,self.java +19,1401698067,8,Integrate Gulp And Grunt Into Your Maven Build,supposed.nl +9,1401691823,4,Keycloak Beta 1 Released,keycloak.jboss.org +0,1401686858,7,IE Ajax bug amp Spring MVC solution,dominik-mostek.cz +32,1401657855,13,Any thoughts resources general tips for getting the most out of IntelliJ IDEA,self.java +2,1401642406,16,How to have an android project and a dynamic web project running on the same spot,self.java +4,1401636725,7,Scala on Android and stuff lessons learned,blog.frankel.ch +17,1401629635,6,WildFly 8 1 0 Final released,community.jboss.org +46,1401607881,14,Do most java programmers use Eclipse other IDE rather than a simple text editor,self.java +0,1401562431,7,Spring MVC and interfaces of Service class,self.java +2,1401560513,4,How to compile OpenOMR,self.java +0,1401555476,5,How to Compile Audiveris code,self.java +0,1401550428,12,Using the variable value and not the variable itself on an object,self.java +1,1401549957,3,Java in XCode,self.java +0,1401549765,10,How to run your first Java Program in NetBeans IDE,youtube.com +2,1401502906,8,Is there a better way to do this,self.java +32,1401486547,20,Why are the official Hibernate 4 docs so grossly outdated and inaccurate And where can I find a better alternative,self.java +1,1401481633,6,Performance Tuning of Spring Hibernate Applications,blog.jhades.org +7,1401469445,8,Java 8 Friday Most Internal DSLs are Outdated,blog.jooq.org +0,1401468036,5,This applet is so 2001,self.java +3,1401466357,10,After a Decade I m Coding for the VM again,medium.com +20,1401464765,29,I d like to build a modern web app using Java Based on my experience what do you think is a next good step to learn to do that,self.java +4,1401458365,7,Adding SSE support in Java EE 8,blogs.oracle.com +3,1401455872,7,Check out my first ever Java project,pilif0.4fan.cz +5,1401452719,5,Simple and fast logging framework,self.java +0,1401450543,7,Strange Rendering behaviour bug with JavaFX ListView,self.java +76,1401448197,10,8 Great Java 8 Features No One s Talking about,infoq.com +0,1401388255,18,x post from r programming Are you Java or Scala Developer Use Takipi real time code analysis technology,techmafia.net +1,1401376647,12,Policy question can more than one URL be added to a codebase,self.java +2,1401319981,23,Common Simulator is a library to create any simulator which uses field based message such as ISO 8583 message or properties like message,github.com +2,1401319479,4,When to use SharedHashMap,github.com +8,1401318985,11,Apache Tomcat 7 0 54 amp 6 0 41 released CVEs,mail-archives.apache.org +8,1401318391,4,spinoza Lenses for Java,github.com +16,1401318329,18,Rekord Type safe records in Java to be used instead of POJOs Java beans maps or value objects,github.com +7,1401310656,12,Need suggestions on some kind of documentation gathering system for this situation,self.java +0,1401304987,14,Generate a sequence of numbers 1 1 2 2 3 3 1 1 etc,self.java +11,1401300316,8,Hibernate Debugging Finding the Origin of a Query,blog.jhades.org +10,1401297487,16,Are there any open source efforts to create a Java wrapper library for the Steam SDK,self.java +9,1401296118,5,Reccomend Good Tutorials for EJB,self.java +3,1401293051,5,Question about thread safe lists,self.java +18,1401288043,11,The data knowledge stack Concurrency is not for the faint hearted,vladmihalcea.com +39,1401281199,8,Get Started With Lambda Expressions in Java 8,blog.stackhunter.com +15,1401278618,8,CDI 2 0 Survey on proposed new features,cdi-spec.org +22,1401262287,10,Would it be useful to create interfaces for immutable collections,self.java +3,1401256066,15,Why is the correct answer A and B Shouldn t ob have access to finalize,imgur.com +5,1401236001,5,Graphing and Statistical Analysis APIs,self.java +2,1401219571,4,Open Source Java Projects,self.java +23,1401217707,9,Typetools Erasure defeated almost Tools for resolving generic types,github.com +1,1401216107,5,Need help with a program,self.java +14,1401199708,31,As somebody who never programmed in Java and wants to learn from scratch what s a good resource to do so particularly taking advantages of the new features of Java 8,self.java +14,1401197620,7,PrimeFaces 5 0 New JSF Component Showcase,primefaces.org +21,1401197275,8,Why use SerialVersionUID inside Serializable class in Java,javarevisited.blogspot.sg +0,1401181391,14,CodenameOne 1 Java code to run natively on iOS Android Win RIM and Desktop,codenameone.com +0,1401157313,3,Object array construction,self.java +1,1401152623,2,Seeking mentor,self.java +0,1401148212,1,JNA,self.java +4,1401128587,5,My summary of JEEConf 2014,blog.frankel.ch +0,1401126072,5,Recommendation on where to start,self.java +3,1401118647,15,How to move columns from one CSV file into another CSV file using Data Pipeline,northconcepts.com +27,1401116953,4,Java Multiplayer libgdx Tutorial,appwarp.shephertz.com +1,1401113656,6,Most efficient way to learn Java,self.java +11,1401111565,4,Quicksort and Java 8,drew.thecsillags.com +2,1401070881,9,Instantiating an object randomly between multiple triple nested classes,self.java +33,1401065265,11,RoboVM Write IOS app natively in Java Apache License v2 0,robovm.com +94,1401062046,6,Why is choice B not valid,imgur.com +6,1401053464,6,Netty GZip compression problem and question,self.java +0,1401030341,5,What is a SEC page,self.java +18,1400995743,7,Spring Hibernate improved SQL logging with log4jdbc,blog.jhades.org +23,1400891255,7,RoaringBitmap A better compressed bitset in Java,github.com +38,1400887888,6,Apache Commons Math 3 3 Released,mail-archives.apache.org +2,1400887358,5,Tupl The Unnamed Persistence Library,github.com +18,1400881569,12,Techonology Radar advises against the use of JSF Primefaces team reply inside,self.java +16,1400873821,5,GlassFish 4 0 1 Update,blogs.oracle.com +15,1400849943,9,Spring Web Services 2 2 0 introduces annotation support,spring.io +10,1400831502,5,Good source for Physics applets,self.java +10,1400824552,5,Spring Security blocking PUT POST,self.java +1,1400816788,5,Soft Light Mode for images,self.java +6,1400805941,6,iOS for Java Developers full talk,techtalkshub.com +7,1400803926,9,Java Coding Contest Program a Bot and Win Prizes,learneroo.com +102,1400795519,8,Java is now the leader on Stack Overflow,stackoverflow.com +6,1400792155,7,My new super fast distributed messaging project,github.com +11,1400787190,8,Pitfalls of the Hibernate Second Level Query Caches,blog.jhades.org +26,1400785472,15,Why is Eclipse generating argument names as arg0 arg1 arg2 in methods when implementing interfaces,self.java +0,1400784339,4,worries worries worries worries,self.java +6,1400775937,6,Hibernate Tutorial using Maven and MySQL,javahash.com +8,1400774261,8,JRebel is like HotSwap made by Walter White,zeroturnaround.com +1,1400774231,16,1 hour infoq presentation Using Invoke Dynamic to Teach the JVM a New Language Perl 6,infoq.com +1,1400774134,5,Clojure Kata 3 Roman Numerals,elegantcode.com +0,1400773586,4,Whats wrong with this,self.java +0,1400764946,10,Question How to display an image depending on certain data,self.java +2,1400764075,4,Need help unencrypting password,self.java +1,1400763519,5,Which runtime exception to throw,self.java +1,1400759541,9,69 Spring Interview Questions and Answers The ULTIMATE List,javacodegeeks.com +27,1400758339,8,Employers want Java skills more than anything else,infoworld.com +150,1400750221,9,115 Java Interview Questions and Answers The ULTIMATE List,javacodegeeks.com +5,1400746817,17,are there any AI expert systems or similar for teaching people to code in Java or SQL,self.java +5,1400731678,8,Help with GUI project dice game called Pigs,self.java +0,1400725616,26,I m taking a test that will determine if I can go to AP Computer Science next year Does anyone know a good way to practice,self.java +0,1400698955,9,Anyone looking for a job in the IT industry,self.java +3,1400684551,12,Could anyone recommend a best practice for connecting to a REST service,self.java +2,1400684313,8,Java C Programmers need help with your resume,self.java +6,1400683050,17,Looking for a UI Component preferably JavaFX don t know its name but here s a picture,self.java +15,1400677566,7,Spring Data Release Train Dijkstra Goes GA,spring.io +22,1400675495,7,Java Tools and Technologies Landscape for 2014,zeroturnaround.com +6,1400673404,6,How to end reading from console,self.java +3,1400651540,10,Interview with Tim Bray co inventor of XML at GOTOchgo,ugtastic.com +11,1400651494,5,Repeating annotations in Java 8,softwarecave.org +0,1400642071,15,Java beginner here Just trying out a simple program Is this right very simple program,self.java +28,1400641499,6,Initial Java EE 8 JSR Draft,java.net +13,1400624467,9,Xsylum XML parsing and DOM traversal for the sane,github.com +14,1400623832,7,Erlang OTP style object supervision for Java,github.com +4,1400618004,29,I use Struts 2 and Tiles in Eclipse and I d like to know if there is a plugin way to expose the borders between tiles on my project,self.java +9,1400614345,9,Anyone have personal experience with the Quasar Java library,self.java +0,1400606685,8,Configuring Spring Security CAS Providers with Java Config,self.java +2,1400602847,6,Where do I go from here,self.java +0,1400599152,6,Mid Level Java Developer Opportunity MN,self.java +9,1400590549,4,Async Servlets in Java,jayway.com +0,1400572260,7,Hiberanate 4 Tutorial using Maven and MySQL,javahash.com +3,1400561985,5,Understanding Polymorphism in Java Programming,tutorialspoint.com +1,1400549438,4,Help with applet code,self.java +41,1400527554,2,Better Java,blog.seancassidy.me +9,1400518816,4,Any alternatives to JOOQ,self.java +5,1400515638,13,RemoteBridge released access and modify Java objects in third party applications and applets,nektra.com +1,1400513726,9,Why Software Doesn t Follow Moore s Law Forbes,forbes.com +3,1400512142,7,Groovy language features case study with Broadleaf,broadleafcommerce.com +15,1400512096,10,When and why to use StringBuilder over operator and StringBuffer,java-fries.com +6,1400510079,25,EJB JAX WS Is it better to put business logic into a separate session bean and have JAX WS implementation class calling the session bean,self.java +16,1400507347,14,JBoss EAP 6 3 Beta Released WebSockets Domain recovery New console homepage Improved Security,blog.arungupta.me +0,1400494488,12,How do you map a Map lt String MyObject gt using Hibernate,self.java +0,1400460600,4,Tower Defense ScratchForFun help,self.java +2,1400458434,13,Is there a scripting interface for Java similar to Script CS or Cshell,self.java +6,1400450020,8,Java 8 Is An Acceptable Functional Programming Language,codepoetics.com +2,1400432663,4,Java Tower Defense Problems,self.java +42,1400431667,26,I m an experienced software engineer tho not in Java Which are good open source Java projects to get involved in for building my Java experience,self.java +0,1400423240,7,Dead simple API design for Dice Rolling,blog.frankel.ch +17,1400421372,13,Programming Language Popularity Chart Java ranks in as the 2 most popular language,langpop.corger.nl +0,1400407011,3,Incompatible types issue,self.java +0,1400378511,8,Best Video Tutorials To Learn Android Java Development,equallysimple.com +8,1400359165,12,JFRAME Window Creating in Eclipse and setup of Eclipse NEW TUTORIAL SERIES,youtube.com +0,1400350617,5,Help with making a diamond,self.java +2,1400347474,7,Java next Choosing your next JVM language,ibm.com +0,1400329298,4,Java APIs for Developers,geektub.com +44,1400328989,13,How To Design A Good API and Why it Matters Joshua Bloch 2007,youtube.com +5,1400328104,7,Avoid over provisioning fine tuning the heap,plumbr.eu +9,1400317655,5,Defining and executing text commands,self.java +7,1400308250,4,OpenJPA 2 3 0,mail-archives.apache.org +17,1400307913,14,Java Type Erasure not a Total Loss use Java Classmate for resolving generic signatures,cowtowncoder.com +5,1400307873,21,StoreMate building block that implements a simple single node store system to use as a building block for distributed storage systems,github.com +0,1400296427,8,What are oracle gonna do client side java,self.java +0,1400287460,4,Help Comment Some Code,self.java +9,1400275077,6,Open Session In View Design Tradeoffs,blog.jhades.org +14,1400263931,11,Sneak Preview The 14 Leading Java Tools amp Technologies for 2014,zeroturnaround.com +2,1400254084,9,Excelsior JET and libGDX Help fund Save Life Foundation,badlogicgames.com +0,1400252445,11,Sneak Preview The 14 Leading Java Tools amp Technologies for 2014,dzone.com +10,1400249372,10,JRE7 Any alternatives to jar signing for intranet enterprise systems,self.java +9,1400237387,11,Writing Java Socket HTTP Server Chrome thinks the request is empty,self.java +2,1400227411,11,Issues with Inverted Comma while parsing csv x post r javahelp,reddit.com +27,1400227068,7,Java performance tuning guide high performance Java,java-performance.com +2,1400216781,6,Dynamic Tuple Performance On the JVM,boundary.com +0,1400206060,5,Beginner Problem DrawingPanel in Java,self.java +5,1400193268,5,Modern Spring 4 0 demos,self.java +2,1400192076,5,XWiki 6 0 is released,xwiki.org +2,1400191815,7,Apache Commons Compress 1 8 1 Released,mail-archives.apache.org +6,1400191745,6,Apache Jackrabbit 2 8 0 released,mail-archives.apache.org +10,1400188831,4,Flux new IDE deployment,projects.eclipse.org +69,1400172881,10,An Opinionated Guide to Modern Java Part 3 Web Development,blog.paralleluniverse.co +2,1400170110,6,JLabel text won t align properly,self.java +4,1400169899,10,Minnesota becomes first to sign smartphone kill switch into law,androidcommunity.com +6,1400169774,7,Is this possible to do with Java,self.java +21,1400168947,9,Interview with Aleksey Shipilev Oracle s Java Performance Geek,jclarity.com +0,1400168423,7,How to become an expert in Java,self.java +3,1400167735,6,Conclusions and where next for Java,manning.com +8,1400167309,8,Java Configuration A Proposal for Java EE Configuration,javaeeconfig.blogspot.com +6,1400159580,6,An open source JVM Sampling Profiler,insightfullogic.com +7,1400138735,7,Enum vs Constans java file in JAVA,self.java +1,1400105714,4,WindowBuilder for Java GUI,self.java +3,1400099441,9,Getting double values through a String for Rectangle constructor,self.java +69,1400092855,18,TIL enums can implement interfaces and each enum value can be an anonymous class x post r javatil,reddit.com +11,1400083886,21,Brian Goetz earmarka arrays and Value Types as burning issues to solve at conference keynote no mention of the modularity thing,jaxenter.com +0,1400076587,13,Find a number in the array having least difference with the given number,java-fries.com +0,1400075353,21,New Java 8 Optional sounds an awful lot like Guava s Optional I assume we can expect a judgement against Oracle,self.java +0,1400074258,7,Java 8 Optional What s the Point,huguesjohnson.com +37,1400062973,8,How to Use Java 8 s Default Methods,blog.stackhunter.com +0,1400018266,4,TextArea in java applet,self.java +1,1400015420,3,File Request Mac,self.java +2,1400010243,9,is XX UseCompressedOops enabled by default on 64bit JDK8,self.java +5,1399999689,7,Slab guaranteed heap alignment on the JVM,insightfullogic.com +53,1399997859,11,10 JDK 7 Features to Revisit Before You Welcome Java 8,javarevisited.blogspot.ca +4,1399997467,10,Load itextpdf OmniFaces and PrimeFaces as JBoss AS Wildfly Modules,hfluz-jr.blogspot.com +0,1399995315,7,Cyclic Inheritance is not allowed in Java,java-fries.com +9,1399990100,11,Too Fast Too Megamorphic what influences method call performance in Java,insightfullogic.com +84,1399987280,12,Why Oracle s Copyright Victory Over Google Is Bad News for Everyone,wired.com +12,1399986776,12,Java Explorer Code a Robot to Defeat Enemies and Reach the Goal,learneroo.com +5,1399980979,10,Liberty beta starting to add support for Java EE 7,ibmdw.net +5,1399978920,7,Why should Java developers adopt Java 8,zishanbilal.com +0,1399977097,6,Java 8 Features The ULTIMATE Guide,javacodegeeks.com +0,1399976279,3,Comparable and Comparator,kb4dev.com +2,1399959401,8,Proxy Servlet to Forward Requests to remote Server,blog.sodhanalibrary.com +0,1399958972,5,An idea for a program,self.java +1,1399957277,6,Modern imagining of an IRC api,self.java +29,1399950043,7,Java 8 Optional How to Use it,java.dzone.com +17,1399935996,8,Best place to learn about Spring Struts Hibernate,self.java +6,1399913310,7,HTTP responses with Jersey JAX RS noob,self.java +3,1399907884,5,A question about card layout,self.java +0,1399903119,8,Keeping Your Privates Private Java Access Modifiers Unleashed,codealien.wordpress.com +7,1399898613,19,Has anybody setup a Maven Nexus server at home to cache modules in your LAN Does it worth it,self.java +0,1399896115,12,Testing a secured Spring Data Rest service with Java 8 and MockMvc,blog.techdev.de +0,1399892429,6,Whats the difference in these two,self.java +3,1399882453,10,Is it a trap in JSON Processing API JSR 353,self.java +10,1399875681,4,Question about hashmap behaviour,self.java +1,1399874153,7,Big Modular Java with Guice old talk,techtalkshub.com +0,1399858921,3,Help one Homework,self.java +0,1399854796,12,Need help with creating one small java function Comp apps final tomorrow,self.java +6,1399839887,6,Where should I put SQL statements,self.java +3,1399829453,5,Ask Java Java XBee Library,self.java +0,1399828465,6,Looking for helpful sites learning Java,self.java +57,1399828048,10,Spark java re written to support Java 8 and Lambdas,sparkjava.com +15,1399822171,4,Assertion libraries for Java,self.java +14,1399820093,7,alpha OSv OS Virtualization for the JVM,osv.io +0,1399816999,16,Find max and min element of an unsorted array of integers with minimum number of comparisions,java-fries.com +0,1399798161,28,Given three strings str1 str2 and str3 find the smallest substring in str1 which contains all the characters in str2 in any order and not those in str3,java-fries.com +0,1399768860,8,Is there a way to declarate variables dynamically,self.java +0,1399760438,4,Entry point in maven,self.java +36,1399730203,2,Functional Thinking,techtalkshub.com +7,1399727295,2,SOAP Question,self.java +2,1399698566,14,Would anybody here by chance have a copy of jsdt src 2 2 zip,self.java +0,1399695992,7,Help for array inventories for rpg game,self.java +0,1399679664,8,Can t install 64 bit java onto computer,self.java +4,1399653745,7,Java 8 Friday Language Design is Subtle,blog.jooq.org +12,1399613994,9,Does your company send you for courses and training,self.java +0,1399610911,4,Help with learning java,self.java +0,1399604213,8,Interface in Java 8 Got Fancier Or Not,vitalflux.com +15,1399599580,16,What s the simplest most concise way to load an XML file from a remote server,self.java +9,1399584593,10,Working on a personal project and looking for peer input,self.java +1,1399581438,10,Facebook malware jar file but what does it actually do,self.java +2,1399570992,5,JavaFX on within Swing SIGSEGV,self.java +0,1399570609,3,Assertions in Java,softwarecave.org +24,1399569047,15,An Opinionated Guide to Modern Java Part 2 Deployment Monitoring amp Management Profiling and Benchmarking,blog.paralleluniverse.co +16,1399560115,36,I couldn t find a Zenburn color theme for the IntelliJ IDEA 13 that looked like the Emacs version so I made this one In my opinion its readability is much better than the Darcula theme,github.com +7,1399554606,17,JavaFX hangs at launch Is there some trick to getting JavaFX to work in Eclipse under OSX,self.java +32,1399548529,6,Most popular Java environments in 2014,plumbr.eu +52,1399539825,11,Can I do something with lambdas I couldn t do before,self.java +17,1399528062,5,Java Lambda Expressions by Examples,zishanbilal.com +10,1399528055,10,Ant 1 9 4 released with Java 1 9 support,ant.apache.org +0,1399526773,4,Confused over Java assignment,self.java +16,1399521289,22,Just finished a Semantic Versioning library for Java I tried to keep it short and practical let me know what you think,github.com +0,1399506911,14,I need a convenient way to run small demos for a library I write,self.java +4,1399501271,6,WebSocket in JBoss EAP 6 3,blog.arungupta.me +8,1399498499,11,How to simplify unit testing when a class uses multiple interfaces,drdobbs.com +12,1399490556,6,Java Related Certifications after SCJP OJP,self.java +3,1399480482,7,Where did the code conventions disappear to,self.java +8,1399480022,14,Starting a new Spring MVC project what directories files do you put in gitignore,self.java +4,1399477893,3,Pacman in Java,self.java +0,1399474557,17,I guess I m not buying this book if that s their idea of initializing a singleton,sourcemaking.com +7,1399473645,8,Continuous Integration with JBoss Fuse Jenkins and Nexus,giallone.blogspot.co.uk +14,1399469054,19,Excelsior JET AOT compiler pay what you can help charity enter draw for OS X version shipping in Sep,excelsior-usa.com +23,1399462344,6,What s New in PrimeFaces 5,beyondjava.net +22,1399461934,22,Just updated my ADT4J library Algebraic Data Types for Java I think it s in pretty good shape and is already useful,github.com +12,1399449668,7,Simplest Example of Dynamic Compilation in Java,pastebin.com +14,1399446265,4,Intermediate level Java Books,self.java +10,1399436074,2,Java Conferences,self.java +15,1399432206,6,Lambda Expressions Examples using Calculator Implementation,vitalflux.com +0,1399431636,21,How do I export my java project to exe so my friends can play my game that don t have eclipse,self.java +15,1399423409,3,Linear Equation Solver,self.java +0,1399416486,13,How do I put a command line argument when running from an IDE,self.java +0,1399410768,6,Best job search method in NYC,self.java +8,1399405044,8,drawImg extremely slow on Windows fast on Linux,self.java +0,1399401181,6,I need help fixing My Program,self.java +2,1399390119,12,Discussion Is it always better to use one actionlistener for multiple buttons,self.java +8,1399388340,12,Intro to Java 8 features and some Chicago blues w Freddy Guime,learnjavafx.typepad.com +4,1399387120,11,Does OCA SE 7 require you to take a special course,self.java +2,1399385524,5,JFrame not always on top,self.java +8,1399385190,8,Clojure Leiningen and Functional Programming for Java developers,zeroturnaround.com +6,1399373380,9,Ditch Container Managed Security To Create Portable Web Apps,blog.stackhunter.com +3,1399367788,8,Tutorial How To Change The Cursor in JavaFX,blog.idrsolutions.com +57,1399367209,6,About Unit Test By Martin Fowler,martinfowler.com +3,1399348518,8,Rendering Jframe to different resolutions without resizing it,self.java +5,1399344213,6,EJB 3 0 vs Spring Framework,self.java +0,1399343351,17,Why won t it recognize a class in my directory when I try to compile a file,self.java +17,1399332174,4,Clarifying Java Web Development,self.java +6,1399325907,7,Help with creating a Netflix like interface,self.java +0,1399321592,12,My if else conditionals are not working What am I doing wrong,self.java +0,1399319325,4,Need help regarding JProgressBars,self.java +3,1399308490,7,Design suggestions for secure internal web services,self.java +5,1399306600,13,An authoritative answer why final default methods are not allowed in Java 8,stackoverflow.com +0,1399306584,7,Can Someone explain to me package mainGame,self.java +26,1399302913,5,Comparing Maven features in Gradle,broadleafcommerce.com +2,1399302705,5,Annotated Java Monthly April 2014,blog.jetbrains.com +0,1399282872,7,How do you import static in Eclipse,codeaffine.com +6,1399279624,7,How do you test equals and hashCode,codeaffine.com +54,1399276580,13,An authoritative answer why synchronized default methods are not allowed in Java 8,stackoverflow.com +14,1399275947,3,libgdx packr GitHub,github.com +2,1399262618,9,Taking Computer Science AP test on Tuesday any tips,self.java +2,1399253555,9,Accessing Java Applets from HTML pages with Java code,self.java +0,1399222013,4,Playing with Java constructors,blog.frankel.ch +9,1399214520,6,Recommendations for a Complete Java Handbook,self.java +6,1399203927,10,Java ME 8 Getting Started with Samples and Demo Code,terrencebarr.wordpress.com +4,1399186323,14,What is the reason why final is not allowed in Java 8 interface methods,stackoverflow.com +1,1399172849,4,Java game on ios,self.java +1,1399143767,6,Apache PDFBox 1 8 5 released,mail-archives.apache.org +2,1399143706,5,Optic Dynamic data management fw,github.com +32,1399143601,3,High Availability JDBC,ha-jdbc.github.io +2,1399140243,4,Pattern Matching in Java,benjiweber.co.uk +0,1399091308,3,Java Language Enhancements,zishanbilal.com +24,1399088145,11,OpenJDK 1 6 b30 causes severe memory leaks Fixed in b31,java.net +4,1399073321,4,Some questions about JavaFX,self.java +5,1399062939,5,Project to help learn java,self.java +5,1399060986,6,RestX the lightweight Java Rest framework,restx.io +1,1399047960,6,Tutorial Intro to Rich Internet Application,self.java +1,1399045454,3,Concurrency design question,self.java +2,1399041966,7,Lambda expression and method overloading ambiguity doubts,stackoverflow.com +3,1399038605,8,How to make GUI suitable for more languages,self.java +10,1399036306,4,Custom annotations in Java,softwarecave.org +31,1399032039,4,Java 8 Nashorn Tutorial,winterbe.com +79,1399020104,15,Value types for java an official proposal by John Rose Brian Goetz and Guy Steele,cr.openjdk.java.net +2,1399013529,17,XALANJ 2540 Very inefficient default behaviour for looking up DTMManager affects all JDKs when working with XML,issues.apache.org +0,1398992558,6,Java Dijkstra s algorithm NEED HELP,self.java +0,1398965899,6,Programador Java Senior Oferta de empleo,self.java +15,1398965772,9,JEP proposal Improved variance for generic classes and interfaces,mail.openjdk.java.net +2,1398962713,13,Difference between Connected vs Disconnected RowSet in Java JDBC 4 1 RowSetProvider RowSetFactory,javarevisited.blogspot.sg +90,1398962461,14,Not Your Father s Java An Opinionated Guide to Modern Java Development Part 1,blog.paralleluniverse.co +4,1398959353,5,Netty 4 0 19 Final,netty.io +10,1398959239,17,Undertow JBoss flexible performant web server providing both blocking and non blocking API s based on NIO,undertow.io +3,1398916101,8,RabbitMQ is the new king Spring AMQP OpenCV,techtalkshub.com +0,1398914643,7,Need help with my MP3 player applet,self.java +16,1398908691,6,java awt Shape s Insidious Insideness,adereth.github.io +11,1398906824,6,The cost of Java lambda composition,self.java +2,1398895888,6,Need Help With my JFrame Code,self.java +6,1398895119,19,I wrote a game framework for making Java games I have no idea what to add next any ideas,github.com +3,1398865880,11,How to switch to the Java ecosystem What technologies to learn,self.java +2,1398864047,4,Professional connection pool sizing,vladmihalcea.com +0,1398861910,4,Building GlassFish from Source,blog.c2b2.co.uk +7,1398847262,7,REST development with intelliJ missing WebServices plugin,self.java +19,1398834226,12,In case you need some motivation when you run into a bug,youtube.com +2,1398813499,14,Does anyone have any experience with javax sound midi and or its Sequence class,self.java +1,1398813061,3,Ganymed ssh 2,code.google.com +0,1398811089,6,Sorting a list of objects alphabetically,self.java +4,1398800312,15,Having trouble using SOAP services that rely on common objects Is there a work around,self.java +6,1398785185,4,Modern Java web stack,self.java +0,1398778350,4,JAVA PRINT 1 2,javaworld.com +6,1398778269,11,Java 8 Stream API Examples Filter Map Max Min Sum Average,java67.blogspot.sg +4,1398774447,4,IntelliJ IDEA UI Designer,self.java +53,1398773713,6,Java equals or on enum values,flowstopper.org +9,1398769695,6,Design Pattern By Example Decorator Pattern,zishanbilal.com +2,1398764451,4,Understanding how Finalizers work,plumbr.eu +0,1398756092,27,I want to learn how to use Java I am brand new to this field Can you recommend tutorials websites books to use to optimise my education,self.java +5,1398742577,6,So who is already using lambdas,self.java +6,1398732130,6,Do you cast often in Java,self.java +3,1398730504,3,Insertion Sort Help,self.java +6,1398701264,4,Annotation basics in Java,softwarecave.org +50,1398700260,5,What Makes IntelliJ IDEA Different,medium.com +7,1398692850,8,Putting Kotlin MongoDB Spring Boot and Heroku Together,medium.com +0,1398658577,4,Updating between two panels,self.java +21,1398657887,6,Java Code Style The Final Decision,codeaffine.com +13,1398646735,3,Worlds Of Elderon,self.java +2,1398632257,15,So I made a one method text based game of rock paper scissors lizard Spock,self.java +2,1398613968,11,Jaybird 2 2 5 is released with support for Java 8,jaybirdwiki.firebirdsql.org +157,1398603014,9,What subreddits should a software developer follow on reddit,self.java +5,1398602567,4,The Visitor design pattern,blog.frankel.ch +2,1398593856,5,I want to learn Java,self.java +1,1398587578,6,Java EE 7 at Bratislava JUG,youtube.com +1,1398586479,5,Key value Coding in Java,ujorm.org +1,1398585174,11,TIL Socket isConnected returns true even after the connection is reset,self.java +22,1398584577,7,A very simple questionaire for my paper,self.java +1,1398577316,2,Thought process,self.java +0,1398558370,1,Prefix,self.java +8,1398555167,12,what is a good way book I could use to learn java,self.java +3,1398538151,11,TIOBE Is Unintentionally Misleading in Truth Interest in Java Is Surging,weblogs.java.net +3,1398533600,12,RHSA 2014 0414 01 Important java 1 6 0 sun security update,redhat.com +0,1398532600,18,Need help with my program trying to split data from a file and then do math to it,self.java +45,1398526603,11,TIOBE Is Unintentionally Misleading in Truth Interest in Java Is Surging,weblogs.java.net +6,1398526178,14,Struts 2 up to 2 3 16 1 Zero Day Exploit Mitigation security critical,mail-archives.apache.org +1,1398514343,7,Victims Embedded Vulnerability Detection command line tool,securityblog.redhat.com +3,1398513935,17,ClassIndex is a much quicker alternative to every run time annotation scanning library like Reflections or Scannotations,github.com +24,1398513882,6,High performance Java reflection with Asm,github.com +2,1398513302,20,Some Questions JAVA SE Useful only For Beginners of Java Programming to get to know with terminology and basic stuff,people.auc.ca +8,1398507972,5,Flexy Pool reactive connection pooling,vladmihalcea.com +7,1398473805,13,ELI5 How do you code a gui interface with Java without using Swing,self.java +4,1398473157,8,Optional Dependency for Method Parameter With Spring Configuration,kctang.github.io +1,1398462860,18,Is there a way around bug JDK 8004476 so XSLT extensions work over webstart prior to Java 8,self.java +0,1398454572,10,Hiring Jr Java Developer Technology Hedge Fund 120k 200K NYC,self.java +0,1398452422,6,Abstract Class versus Interface In Java,javahash.com +6,1398449767,12,Running Node js applications on the JVM with Nashorn and Java 8,blog.jonasbandi.net +9,1398435536,9,Interested in working on OpenJDK Red Hat is hiring,jobs.redhat.com +973,1398430944,6,I HATE YOU FOR THIS ORACLE,i.imgur.com +6,1398426627,4,Reducing equals hashCode boilerplate,benjiweber.co.uk +4,1398424610,9,How to register MouseListener on divider of SplitPane JavaFX,self.java +4,1398417700,11,Simple ToolTipManager hack that prevents ToolTips from getting into the way,self.java +0,1398416490,8,How to create Spring web application video tutorial,javavids.com +1,1398400478,18,Help a newbie with a GUI that prints lines of a sonnet two buttons that switch line sonnet,self.java +9,1398389602,16,Is there a reason why in OSGi apps some people declare Logger fields as instance variables,self.java +1,1398378245,6,A Simple way to extend SWTBot,codeaffine.com +12,1398374565,11,Netflix Roulette API An unofficial Netflix API with a Java wrapper,netflixroulette.net +52,1398372137,6,HashMap performance improvements in Java 8,javacodegeeks.com +2,1398358047,8,Challenges in bringing applications to a multitenant environment,waratek.com +12,1398352459,9,How can I learn about the Java Virtual Machine,self.java +4,1398349889,7,Java Tutorial Through Katas Tennis Game Easy,technologyconversations.com +34,1398343390,8,Anyone use automated browser testing such as Selenium,self.java +2,1398327675,5,An Automated OSGi Test Runner,codeaffine.com +10,1398324812,6,Speed up databases with Hazelcast webinar,hazelcast.com +0,1398301556,2,Best IDE,self.java +3,1398289918,8,Scala 2 11 just launched check it out,news.ycombinator.com +0,1398265997,8,Can t Download Java Development Kit from Guam,self.java +1,1398259876,11,How did you convince your managers to switch to IntelliJ IDEA,self.java +2,1398259304,9,Configure Your OSGi Services with Apache Felix File Install,codeaffine.com +0,1398249997,5,Working with ArrayList of ArrayList,self.java +8,1398247104,8,Developing Java web apps with a lightweight IDE,blog.extrema-sistemas.com +11,1398241857,3,Java Blog Aggregator,topjavablogs.com +5,1398239978,6,An Introduction to the JGit Sources,codeaffine.com +39,1398233319,6,Spring Boot 1 0 GA Released,spring.io +5,1398230553,11,How can you use a static variables in non static methods,self.java +0,1398229258,2,weird syntax,self.java +0,1398220016,2,Netbeans problem,self.java +0,1398213945,18,Attempting my first Java project Trying to develop good practices from the beginning I would appreciate any feedback,self.java +0,1398209694,3,Assistance with programming,self.java +2,1398207434,19,I m a mainframe developer planning to learn java and get certified What certification should I aim for SCJP,self.java +3,1398204715,11,Golo a dynamic language for the JVM with Java equivalent performance,golo-lang.org +11,1398204223,7,A JUnit Rule to Conditionally Ignore Tests,codeaffine.com +0,1398200095,8,How do you make a restart in java,self.java +1,1398190807,10,Messing with I O two quick questions about my program,self.java +2,1398186363,7,Notes On Concurrent Ring Buffer Queue Mechanics,psy-lob-saw.blogspot.com +0,1398181646,7,Accessing HTTP Session Object in Spring MVC,javahash.com +74,1398177241,6,Java Evolution of Handling Null References,flowstopper.org +3,1398148223,11,Online Tool to Convert XML or JSON to Java Pojo Classes,pojo.sodhanalibrary.com +0,1398128928,11,Incompatible types when trying to access an element of an ArrayList,self.java +0,1398125607,8,My compiler refuses to import java util Arrays,self.java +1,1398105608,8,Creating ripemd 256 hash in Java Please help,self.java +16,1398094347,10,Intuitive Robust Date and Time Handling Finally Comes to Java,infoq.com +3,1398092235,6,Help with finding path to file,self.java +7,1398057156,7,Nashorn The New Rhino on the Block,ariya.ofilabs.com +11,1398046578,3,My Java ASCIIAnimator,self.java +38,1398020071,11,Nashorn The Combined Power of Java and JavaScript in JDK 8,infoq.com +22,1398001594,4,Introduction to Mutation Testing,blog.frankel.ch +88,1397970628,9,jMonkey Engine 3D Game Engine written entirely in Java,self.java +3,1397965573,12,Spring 4 Getting Started Guides using Gradle Spring Boot MVC and others,spring.io +23,1397950906,5,Spring Updated for Java 8,infoq.com +9,1397947595,2,Javacompiler Janino,self.java +0,1397903699,7,Need some help with a small converter,self.java +0,1397901799,16,Can someone help me compile a simple advertisement management system in Java I need it ASAP,self.java +3,1397895855,5,Best Development OS Personal Opinions,self.java +3,1397893640,9,Tutorial Read JSON with JAVA using Google gson library,blog.sodhanalibrary.com +38,1397837797,3,Embracing Java 8,sdtimes.com +4,1397827320,6,Learning JUnit Simple project testing sockets,self.java +8,1397826666,4,Facelets ui repeat tag,softwarecave.org +1,1397819350,5,Mon Trampoline avec Java 8,infoq.com +11,1397816930,8,How is this site for Java Certification preparation,self.java +55,1397804161,15,What have you learned from working with Java that you weren t told in school,self.java +15,1397787426,5,Web developer trying on Java,self.java +0,1397780511,9,Need some help copying this Map to my JList,self.java +19,1397770267,6,DevelopMentor Playing with Apache Karaf Console,developmentor.blogspot.com +0,1397768521,7,Looking to learn coding new to it,self.java +3,1397767989,4,Help with Environment Variables,self.java +6,1397767014,5,Summer break is coming up,self.java +16,1397752527,11,Collection of articles on java performance and concurrency from Oracle engineer,shipilev.net +21,1397746207,9,Using Exceptions to warn user vs if bool construct,self.java +27,1397742856,8,Contexts and Dependency Injection CDI 1 2 released,cdi-spec.org +4,1397731410,8,Tutorial How to Setup Key Combinations in JavaFX,blog.idrsolutions.com +4,1397725909,7,How to manage Git Submodules with JGit,codeaffine.com +11,1397717542,9,Writing Java 8 Nashorn Command Line Scripts with Nake,winterbe.com +4,1397704673,3,Java Career Help,self.java +27,1397693919,7,Which Java class is the real one,java.metagno.me +0,1397692703,11,Making an executable Jar file do what a batch file does,self.java +36,1397681211,10,Getting your Java 8 App in the Mac App Store,speling.shemnon.com +10,1397680731,8,Learn how to speed up your Hazelcast apps,blog.hazelcast.com +0,1397680544,12,Reading variables from a text file and writing to another text file,self.java +0,1397672768,12,Looking for help with basic code which structure should I be using,self.java +0,1397671425,9,Java devs needed for a usability study x post,self.java +0,1397669077,2,Java JComboBox,self.java +3,1397664738,8,GlassFish 4 HTTP Compression WebSocket leads to NullPointerException,self.java +16,1397658239,11,Example code dying in three different ways with minor configuration changes,plumbr.eu +0,1397637269,5,Helper method in Frontcontroller pattern,self.java +30,1397636366,6,Pretty Map Literals for Java 8,gist.github.com +7,1397635412,7,How does Machine Learning Links with Hadoop,self.java +1,1397614548,6,Using JavaFX Collections in Hibernate Entitys,self.java +0,1397603666,20,I have an error in my program one with an infinite loop and also how do I add another test,self.java +0,1397595933,8,How did you progress on your first year,self.java +6,1397591976,7,Oracle Critical Patch Update Advisory April 2014,oracle.com +1,1397591604,20,Show r java I made a java code movie at work out of boredom Resize the console to run it,imadp.com +2,1397591367,5,Help with undo redo design,self.java +3,1397584539,9,Show r java My Maven plugin for Ivy dependencies,github.com +48,1397577751,7,Updated Eclipse Foundation Announces Java 8 Support,eclipse.org +11,1397577438,4,Data tables in JSF,softwarecave.org +5,1397573847,3,Java Generics Tutorial,javahash.com +9,1397572897,4,Free MyEclipse Pro License,genuitec.com +8,1397566060,7,Java EE 7 resources by Arjan Tijms,javaee7.zeef.com +16,1397563336,14,How to EZ bake your own lambdas in Java 8 with ASM and JiteScript,zeroturnaround.com +7,1397562698,9,Java EE 7 style inbound resource adapters on TomEE,robertpanzer.github.io +8,1397529665,7,Heads up using Hibernate with Java 8,self.java +0,1397528215,5,Need help with class problem,self.java +1,1397523260,10,What s the best JSP based bug issue source tracker,self.java +0,1397514588,7,Just watch this for a good laugh,facebook.com +2,1397512119,4,Requs Requirements Specifications Automated,requs.org +1,1397511949,6,Myra Job Execution And Scheduling Framework,github.com +1,1397505608,3,Forwarding Interface pattern,benjiweber.co.uk +1,1397502690,7,Uploading a file to a server Multipartentity,self.java +0,1397500251,4,URGENT NetBeans jFrame stuck,self.java +341,1397499212,13,Okay IntelliJ we get it You don t want us to use Eclipse,i.imgur.com +2,1397497691,6,Joins in pure java database queries,benjiweber.co.uk +2,1397489877,9,What time of day are critical patch updates released,self.java +1,1397489329,5,Hibernate in Action PDF Book,vidcat.org +0,1397485364,11,Question Running multiple instances of a game in a single server,self.java +1,1397479790,5,Notifications to server using android,self.java +1,1397476677,8,How to index all links in a string,self.java +18,1397468541,7,Ganesha Sleek Open Source NoSQL Java DB,self.java +7,1397463966,5,Using jOOQ with Spring CRUD,petrikainulainen.net +9,1397451379,6,Clean Synchronization Using ReentrantLock and Lambdas,codeaffine.com +3,1397444046,7,My paper on Java and Information Assurance,yazadk.wordpress.com +1,1397439692,10,HELP REQUEST Jlayer Javazoom pause un pause while playing song,self.java +33,1397434655,15,People that have passed the Java Certification Exam can you kind of do an AMA,self.java +0,1397423325,17,Need some help with my program I m very close to finishing it but getting some errors,self.java +0,1397422058,28,Help debunking a Java Net ConnectException Connection refused connect problem Trying to create connection between local Java application and a remote MYSQL database hosted on fdb7 runhosting com,self.java +0,1397414961,11,Bullets are not showing up across network client screen in game,self.java +0,1397405177,5,Know the Best JAVA IDEs,pravp.com +10,1397397268,7,Alternative to loading a bunch of BufferedImages,self.java +0,1397362944,7,Starting the calendar grid for current month,self.java +0,1397358497,8,How to search an array for a string,self.java +25,1397357778,5,How To Catch A ClassNotFoundException,ninthavenue.com.au +1,1397356200,8,Trying to parse keyless json in Java object,self.java +0,1397352908,5,Methods for predicting runtime exceptions,self.java +2,1397329103,9,Data structure for managing abstract set of 2D nodes,self.java +3,1397328074,13,Want to shift from Spring JDBC to Dagger Hibernate JPA is this viable,self.java +5,1397323186,9,Is there an interface foo void bar in JDK8,self.java +0,1397319760,18,a nice waiting utility class that can be used in many projects or modified to suite your needs,self.java +0,1397314852,24,Java Interop Can a URI on a web page interact with a Java applet running on the same client but as a separate process,self.java +14,1397310068,4,Java 8 monadic futures,github.com +25,1397295725,7,Apache Commons Lang 3 3 2 released,mail-archives.apache.org +20,1397295589,7,H2 1 4 177 2014 04 12,h2database.com +6,1397294263,20,Question re performance difference of getting data via a JSON based Web service vs using an in process ORM DAL,self.java +0,1397277711,4,ConcurrentHashMap vs Collections synchronizedMap,pixelstech.net +4,1397236491,4,Parameterized tests in JUnit,softwarecave.org +0,1397234965,12,Need to find days ago instead of since 2 1 2014 search,self.java +8,1397228189,11,Transform your data sets using fluent SQL and Java 8 Streams,blog.jooq.org +52,1397228134,9,3 Good Reasons to Avoid Arrays in Java Interfaces,eclipsesource.com +13,1397217612,8,Best resources for learning Java JDeveloper and SQL,news.ycombinator.com +10,1397205250,7,Videos for React Conference 2014 in London,youtube.com +8,1397201699,4,Java Memory Model Basics,java.dzone.com +6,1397199714,13,Does Anyone know of a good website for third party look and feels,self.java +20,1397199644,4,Fluent Java HTTP Client,yegor256.com +13,1397195029,6,Gradle build process is painfully slow,self.java +1,1397192944,18,How does a reciever know the length of a string transmitted over a stream using the UTF8 format,self.java +1,1397181183,9,Looking for resources and reference information on integrating EmberJS,self.java +20,1397167249,9,Storing application configuration options Database xml file json file,self.java +10,1397164730,9,Any Good Resources for Learning the Jasmin Assembly Language,self.java +19,1397162040,14,I built a micro Web framework in Java 8 using lambdas Want some feedback,self.java +4,1397160621,14,How could I get my small company to switch me from Eclipse to IDEA,self.java +1,1397153174,10,In what order should I learn coding starting with Java,self.java +2,1397153032,12,Still can t figure this out I m pulling my hair out,self.java +0,1397147314,7,How to Check Java Version Java Hash,javahash.com +0,1397142227,2,Project idea,self.java +0,1397141699,7,Passing objects to and from different classes,self.java +15,1397141505,8,A functional programming crash course for Java developers,sdtimes.com +41,1397140949,3,Spring by Example,springbyexample.org +14,1397137588,9,Will requiring Java 8 limit adoption of a project,self.java +4,1397135358,11,Conquering job hell and multiple app branches using Jenkins amp Mercurial,zeroturnaround.com +0,1397130539,2,Algorithm complexity,self.java +3,1397125470,12,Set up JNDI datasource of Spring application in the embedded Jetty container,esofthead.com +27,1397123829,7,How to use Akka with Java 8,typesafe.com +0,1397099108,4,New to Java here,self.java +0,1397095997,10,How to add a string to a pre loaded array,self.java +0,1397090115,23,I m learning java and am running into trouble is it me not understanding it or is the teacher bad at teaching it,self.java +0,1397087762,18,Help a java newbie with class work creating an array list to store characteristics of dogs and cats,self.java +0,1397081499,3,Fibonacci Through Recursion,self.java +2,1397070703,7,Hey guys some help with Net Beans,self.java +11,1397070246,9,Processing Data with Java SE 8 Streams Part 1,oracle.com +10,1397067340,6,How to reliably release heap memory,self.java +0,1397066739,13,Orchestrate Java Client 0 3 0 update asynchronous programming and easy to use,orchestrate.io +0,1397065547,18,What kind of salary could a mid level Java Developer in a rural market proficient with Maven expect,self.java +51,1397059294,7,Why is Java so addicted to XML,self.java +2,1397058792,7,Best Java Books for Intermediate Python Developer,self.java +0,1397055272,10,How to get started with desktop applications written in Java,self.java +22,1397046965,8,10 Reasons why Java Rocks More Than Ever,java.dzone.com +10,1397031962,4,Tame properties with Spring,baeldung.com +0,1397024387,5,why doesn t this work,self.java +0,1397021303,3,Java Training Institute,self.java +5,1397015803,6,Confused on where to go next,self.java +18,1396987459,6,Jetty 9 1 4 v20140401 Released,dev.eclipse.org +20,1396986717,4,PyJVM JVM in Python,pyjvm.org +13,1396984295,11,Automated JUnit test generation and realtime feedback repost from r eclipse,reddit.com +0,1396976107,2,JOptionPane jokes,self.java +1,1396969370,9,What are some good tools for automatic code review,self.java +0,1396960245,6,Java s professional and personal implication,self.java +0,1396959515,10,will objects in array be remembered after application is closed,self.java +1,1396954233,8,JSF GWT or Exposing your backend through webservices,self.java +54,1396947935,9,Why did Java JRE vulnerabilities peak in 2012 2013,security.stackexchange.com +12,1396946297,9,How many Java developers are there in the world,plumbr.eu +1,1396940103,9,Get content from a textfield with a button Beginner,self.java +0,1396918814,10,Intermediate at Java i like being challenged in java programing,self.java +0,1396917534,9,New to Java having trouble understanding the binary search,self.java +27,1396912708,16,Java Basics A new series started by my good friend teaching the basics of java coding,youtube.com +4,1396903934,8,Very simple traffic light that might inspire beginners,self.java +5,1396901551,11,A Brief Introduction to the Concept amp Implementation of HashMaps HashTables,youtube.com +0,1396901109,13,HELP Is there a way to ignore the counter in a for loop,self.java +1,1396896938,6,Assigning server processes threads to cores,self.java +4,1396885931,7,Spring Security Hello World Example Java Hash,javahash.com +0,1396883885,4,Java installation gone awry,self.java +2,1396879660,2,Comment Ettiquite,self.java +95,1396862175,10,Using Artificial Intelligence to solve the 2048 Game JAVA code,blog.datumbox.com +1,1396843701,5,Efficient Code Coverage with Eclipse,codeaffine.com +18,1396829254,4,From Lambdas to Bytecode,medianetwork.oracle.com +0,1396824493,6,Java for beginner to become professional,youtube.com +3,1396821036,6,Problems importing custom class in gridworld,self.java +0,1396816585,6,Eclipse or Netbeans for SmartGWT GWT,self.java +43,1396812234,4,Java Multithreading Basics Tutorial,youtube.com +6,1396810137,7,Help assembling a specific JAVA COM wrapper,self.java +3,1396788191,11,The right usage of Java 8 lambdas with Vaadin event listeners,morevaadin.com +1,1396761652,7,LWJGL Swing no mouse events What do,self.java +0,1396757684,21,Programming Help In my first programming class and I don t understand a problem with my code writing classes and methods,self.java +0,1396757336,6,Starting a thread with a button,self.java +2,1396747106,5,Java Grade Calculator Your thoughts,pastebin.com +11,1396734184,6,Scalability for a java web app,self.java +1,1396731635,5,Ways to compress an image,self.java +4,1396726377,26,advice installing and learning Broadleaf to get better at JEE Spring Hibernate Can you recommend any other large open source projects to read and learn from,self.java +0,1396719915,4,Confused about this interface,self.java +30,1396717385,2,Understanding JavaFX,self.java +8,1396717090,9,Java 8 Friday The Dark Side of Java 8,blog.jooq.org +5,1396715738,8,Project amp Learning Outcomes Java N Queens Solver,youtube.com +0,1396715643,8,scs lib Secure Cookie Session implementation RFC 6896,github.com +0,1396683152,41,Hi there Here is a paid course free for sometime on the launching of LearnBobby Best place to learn and earn Course name Java for beginners http learnbobby com course java master course lite version Get it before it gets paid,learnbobby.com +42,1396678209,6,Interface Pollution in the JDK 8,blog.informatech.cr +15,1396676680,14,What are the consequences of the PermGen free Java 8 VM on OSGi applications,self.java +0,1396670975,6,How badly did I get owned,self.java +11,1396664510,5,Java 8 default implementation question,self.java +4,1396660237,12,P6Spy framework for applications that intercept and optionally modify sql database statements,p6spy.github.io +5,1396650194,7,What is Java doing for Serial Communications,self.java +5,1396624373,13,Integration Testing From The Trenches An Upcoming Book You ll Want To Read,java.dzone.com +28,1396595639,9,JMockit mocks even constructors and final or static methods,code.google.com +2,1396576036,11,Get rid of that 8080 on the end of Tomcat links,self.java +0,1396558809,3,Minecraft amp Java,self.java +5,1396558507,12,Beginner to Java and practicing arrays Let me know what you think,self.java +9,1396525984,11,Java build infrastructure Ansible Vagrant Jenkins LiveRebel and Gradle in action,plumbr.eu +29,1396521806,8,Java SE 8 Beyond Lambdas The Big Picture,drdobbs.com +7,1396512071,5,Learn Java by doing exercises,learneroo.com +0,1396476530,4,Error message wont display,self.java +1,1396474781,9,META INF services generator Annotation driven services auto generation,metainf-services.kohsuke.org +2,1396474704,20,Jasig CAS 3 5 2 1 and 3 4 12 1 Security Releases SAML 2 0 Google Accounts Integration components,jasig.275507.n4.nabble.com +27,1396474613,6,Apache Tomcat 7 0 53 released,mail-archives.apache.org +2,1396474564,6,Netty 4 0 18 Final released,netty.io +25,1396452135,6,Eclipse Foundation Announces Java 8 Support,eclipse.org +3,1396443666,8,Java Tip Hibernate validation in a standalone implementation,javaworld.com +0,1396442289,9,How to Encode Special Characters in java net URI,blog.stackhunter.com +12,1396435616,9,Netbeans users What s your favourite plugins and why,self.java +1,1396431992,4,Multiplayer game and sockets,self.java +2,1396430406,10,XPages IBM s Java web and mobile application development platform,xpages.zeef.com +4,1396425211,5,How do return really work,self.java +0,1396421423,7,Need some help and javahelp is empty,self.java +15,1396406403,6,Implementing functional composition in Java 8,self.java +5,1396406079,3,Help With JPanel,self.java +6,1396397706,8,Sudoku Solver Tutorial Part 1 Java Programming playlist,youtube.com +1,1396393430,12,Javahelp is very inactive and I m stuck on the finishing touches,self.java +9,1396390006,6,Utility Scripting Language for Java Project,self.java +0,1396383862,3,JAva program problems,self.java +5,1396381805,4,Android handler for java,self.java +29,1396381761,8,Vaadin UI technology switching from Java to C,vaadin.com +10,1396377123,4,Java Magazine Lambda Expressions,oraclejavamagazine-digital.com +12,1396374937,5,What s your favorite blend,self.java +3,1396370172,3,Project Euler 19,self.java +14,1396363147,6,JVM Java 8 Windows XP Support,self.java +0,1396328170,9,Looking for help with a Java assignment dont upvote,self.java +2,1396311736,5,Tutorials for android java development,self.java +1,1396310247,15,Intro to the NetBeans IDE One of the best Java Integrated Development Environments in Existence,youtube.com +3,1396302542,8,Need Help Controlling USB Relay Board in Java,self.java +0,1396299479,1,java,self.java +0,1396299459,4,ZOMBIES Hola Soy German,self.java +0,1396294598,5,ArrayList not returning proper type,self.java +2,1396292751,6,SPAs and Enabling CORS in Spark,yobriefca.se +119,1396288163,17,Do you like programming enough that you would keep doing it after winning the lottery for 100M,self.java +5,1396288074,24,PauselessHashMap A java util HashMap compatible Map implementation that performs background resizing for inserts avoiding the common resize rehash outlier experienced by normal HashMap,github.com +18,1396287910,17,The best tutorial on Java 8 Lambdas I ve seen Cay Horstmann Not for Java newbies though,drdobbs.com +1,1396287239,4,Mac JVM Windows JVM,self.java +2,1396283988,11,Two Thousand Forty Eight a Text Adventure cross post r programming,reddit.com +1,1396281394,8,design pattern for setting fields in super class,self.java +68,1396274374,7,What happened to synchronized in Java 8,enter-the-gray-area.blogspot.ch +1,1396272985,14,Jaybird 2 2 5 SNAPSHOT available for testing with a few Java 8 fixes,groups.yahoo.com +1,1396268102,3,Sun Java Certification,self.java +11,1396260366,9,The new google sheets parts written in Java GWT,docs.google.com +3,1396239070,5,Slim Down SWT FormLayout Usage,codeaffine.com +5,1396234220,21,Looking for a learning resource The basic data structures their pros cons use cases and Big O times for various operations,self.java +26,1396227289,7,Google new project written in Java GWT,google.com +6,1396219930,5,Compiling Java Packages without IDE,self.java +3,1396214997,6,Java equivalent to Net DataRow object,self.java +0,1396210184,10,looking for an open source java program 150 200 lines,self.java +2,1396207578,4,Clarification On Interfaces Please,self.java +5,1396193641,4,My recap of JavaLand,blog.frankel.ch +4,1396191968,5,Learn Java Programming The Basics,keenjar.com +7,1396189051,9,JVM Performs worse if too much memory is allocated,self.java +3,1396150683,14,Dumb question is the Spring GUI library and the Spring Framework the same thing,self.java +12,1396135853,11,Perft Speed amp Debugging Tips Advanced Java Chess Engine Tutorial 21,youtube.com +0,1396134097,7,Java Programming using only the Command Prompt,youtube.com +28,1396122792,12,Catching up with 5 6 years of Java progress What s good,self.java +0,1396119549,7,How to prevent IntelliJ from minimizing methods,self.java +4,1396088165,10,Apache Tomcat 8 0 5 beta available Java EE 7,mail-archives.apache.org +8,1396080231,5,Getters and setters gone wrong,refactoringideas.com +0,1396075636,3,XALAN J CVEs,issues.apache.org +4,1396075477,4,Dynamic Code Evolution VM,ssw.jku.at +51,1396061632,9,Coding with Notch from Minecraft The Story of Mojang,youtube.com +0,1396053167,5,Beginner question Project for school,self.java +2,1396035838,9,What is the disadvantage of importing too many packages,self.java +1,1396033276,4,java fork and join,javaworld.com +4,1396031009,3,Composition over Inheritance,variadic.me +0,1396025672,9,JAVA 8 TUTORIAL THROUGH KATAS REVERSE POLISH NOTATION MEDIUM,technologyconversations.com +3,1396024118,4,FirebirdSQL and IntelliJ IDEA,chriskrycho.com +1,1396017982,7,Recommend a primer for the Eclipse SWT,self.java +0,1396016981,7,Looking for someone with experience with jBPM,self.java +3,1396016742,13,Going to national competition in programming JAVA what should I bring with me,self.java +4,1396012614,11,I am writing a new book Ember js for Java Developers,emberjsjava.codicious.com +97,1396002558,12,Tired of Null Pointer Exceptions Consider Using Java SE 8 s Optional,oracle.com +7,1395999070,14,Base64 in Java 8 It s Not Too Late To Join In The Fun,ykchee.blogspot.com +20,1395988636,16,Effective Java by Joshua Bloch 2nd Edition Item 1 explained Static factory methods vs traditional constructors,javacodegeeks.com +8,1395988309,5,Will Java 8 Kill Scala,ahmedsoliman.com +1,1395982428,10,Cannot figure out why this will not delete the file,self.java +10,1395964834,9,How to tweet with Java as simple as possible,self.java +10,1395963424,49,Total java noob here For a intro level java class I had to use BufferedWriter to make a text document with the multiples of 5 up until 1 000 However my code prints Chinese I really want to know why on earth it prints Chinese code and output inside,self.java +4,1395961361,9,Java implementation of an array of lists of strings,self.java +12,1395957906,6,Still not getting try catch blocks,self.java +0,1395955539,13,Can someone give me a bit of advice on an assignment Thank you,self.java +3,1395954555,6,Including a JAR file in classpath,self.java +1,1395940494,4,Custom bean validation constraints,softwarecave.org +6,1395935199,3,Board game spaces,self.java +5,1395931261,12,Upgrading Java 6 SE 1 6 to Java 8 SE 1 8,self.java +3,1395929640,6,Need some help with image processing,self.java +29,1395919327,8,Why amp When Use Java 8 Compact Profiles,vitalflux.com +9,1395910637,11,Synchronize resources from local drive to Amazon S3 by using Java,esofthead.com +2,1395906254,4,Adding values to JTable,self.java +7,1395902904,10,Need a kick in the right direction for some homework,self.java +0,1395888910,6,Is operator overloading useless Interactive example,whyjavasucks.com +0,1395886801,7,Help with setup db in JUnit tests,self.java +5,1395874628,2,Java certificates,self.java +10,1395866200,6,Apache Archiva 2 0 1 released,mail-archive.com +0,1395860195,6,Need Help Extracting Sounds from Javascript,self.java +12,1395830486,4,Java 8 API Explorer,winterbe.com +0,1395825976,4,Leaking Memory in Java,blog.xebia.com +2,1395823321,6,need help with Programming by Doing,self.java +9,1395793555,5,Java and Memory Leaks question,self.java +7,1395791973,8,Creating a stack trace in Java Easiest methods,self.java +3,1395777964,20,I am trying to create a table using java derby EmbeddedDriver but i don t understand what these errors mean,self.java +3,1395777230,6,How to apply try catch blocks,self.java +0,1395775956,3,Event Driven Model,self.java +3,1395773746,4,Question about bad coding,self.java +20,1395766486,5,Eclipse Support for Java 8,eclipsesource.com +14,1395764882,7,RebelLabs Java Tools amp Technologies Survey 2014,rebellabs.typeform.com +0,1395764266,5,Processing an argument String Recursively,self.java +3,1395762434,10,Versioned Validated and Secured REST Services with Spring 4 0,captechconsulting.com +10,1395758859,8,Integrating Amazon S3 in your Application using java,blogs.shephertz.com +0,1395757430,6,How to open Appletviewer via console,self.java +13,1395755405,8,Measuring Fork Join performance improvements in Java 8,zeroturnaround.com +35,1395748739,7,Creative approach for killing your production env,plumbr.eu +29,1395748627,8,Best OCR optical character recognition Library for Java,self.java +2,1395743158,14,Can someone help troubleshoot why my command line program only works via Java 7,self.java +2,1395717374,16,I can t figure out why certain variables are returning 1 instead of their actual values,self.java +6,1395700100,6,How to program with Bitwise Operators,half-elvenprogramming.blogspot.com +2,1395695790,10,Generating random number depending on how many digits you want,self.java +9,1395692135,3,Stack Hunter Screenshots,self.java +16,1395686952,12,Long jumps considered inexpensive John Rose on the relative cost of Exceptions,blogs.oracle.com +9,1395683809,7,What is your go to Collection implementation,self.java +37,1395680495,8,Common exception misuses in Java and not only,softwarecave.org +0,1395679165,5,New enhancements for Java 8u1,self.java +3,1395674507,9,Java 7 one liner to read file into string,jdevelopment.nl +4,1395672816,7,How to use SWT with Java 8,eclipsesource.com +0,1395664734,10,Anyone know of a graphical page layout app in Java,self.java +35,1395647920,8,What is obsolete in Guava since Java 8,self.java +11,1395645792,4,Checked Exceptions and Streams,benjiweber.co.uk +6,1395637842,5,What are Mockito Extra Interfaces,codeaffine.com +7,1395617086,7,Java Bootcamps Classes in New York City,self.java +11,1395603470,16,Questions on getting a Java job in Europe for a year or two I m American,self.java +0,1395596510,8,Where to make your own code with Java,self.java +18,1395594800,5,jphp PHP Compiler for JVM,github.com +1,1395590048,10,Thinking about starting to learn java where do i start,self.java +10,1395589009,20,Is there a de facto way to store external plain text data so that it inter ops well with Java,self.java +25,1395581482,4,Java 8 Default Methods,coveros.com +6,1395551828,7,Java 8 UI Lambda based keyboard handlers,self.java +74,1395551536,6,How much faster is Java 8,optaplanner.org +50,1395546202,12,Complete list of all new language features and APIs in Java 8,techempower.com +1,1395523391,6,Measuring bandwidth and round trip delay,self.java +2,1395510765,6,Help using StringBuilder or Regex Matching,self.java +151,1395510294,8,In Java 8 we can finally join strings,mscharhag.com +31,1395492056,10,Java 8 Language Capabilities What s in it for you,parleys.com +25,1395489890,14,ASM 5 0 released full support for the new Java 8 class format features,forge.ow2.org +0,1395489653,8,crawler commons functionalities common to any web crawler,code.google.com +2,1395484944,6,Apache Commons Weaver 1 0 Released,mail-archives.apache.org +3,1395470960,6,Declaring public private or protected constructor,self.java +0,1395440492,13,How do I write the contents of a JTable to a text file,self.java +2,1395426198,10,How can I check two 2 dimensional Polygons on intersection,self.java +2,1395412131,8,Introduction to Java Programming Free Computers Video Lectures,learnerstv.com +34,1395404148,10,Java Developers Readiness to Get Started with Java 8 Release,vitalflux.com +8,1395396764,19,Andrew Dinn of Redhat is coming to my University does anyone have any questions they want me to ask,self.java +0,1395395905,6,Parts of code with multiple meaning,self.java +1,1395374887,4,Just out of curiosity,self.java +39,1395358209,5,NetBeans IDE 8 0 Released,netbeans.org +5,1395352116,7,Glassfish 4 with Eclipse and Java 8,self.java +4,1395350438,5,C style properties in Java,benjiweber.co.uk +6,1395348989,6,Resources for modernize my Java skills,self.java +4,1395346680,4,Gradle multiple project inconsistent,self.java +1,1395339170,7,Label the sides of a JButton grid,self.java +3,1395333739,10,JCache Data Caching for Java App Programming Hits the Channel,thevarguy.com +35,1395331206,8,10 Examples of Lambda Expressions of Java 8,javarevisited.blogspot.sg +87,1395322050,4,Too many if statements,stackoverflow.com +29,1395313524,3,Kotlin M7 Available,blog.jetbrains.com +2,1395310577,7,How to remove tab indicators in Netbeans,self.java +10,1395309946,10,So i want to learn JavaFX where do i begin,self.java +0,1395285650,9,Help Integrating Bitcoin Litecoin use into Java Source Code,self.java +0,1395278605,5,Problem URLClassLoader doesnt find class,self.java +2,1395271523,10,Migrating An Existing CodeBase to a newer version of Java,self.java +0,1395264598,4,Help Java and Android,self.java +42,1395242645,35,The authors of Algorithms Part I describe a complete programming model using Java This is an excerpt from Algorithms Part I 4th Edition which was published expressly to support the Coursera course Algorithms Part I,informit.com +4,1395242055,12,ELI5 what is a framework and how does it relate to Java,self.java +5,1395239777,7,Introductory Guide to Akka with code samples,toptal.com +0,1395235630,7,MongoDB and Scale Out No says MongoHQ,blog.couchbase.com +6,1395233003,6,From javaagent to JVMTI our experience,plumbr.eu +4,1395221045,8,Unsigned Integer Arithmetic API now in JDK 8,blogs.oracle.com +4,1395220792,9,Why did Java 7 take 5 years for release,self.java +15,1395217962,4,Java 8 and Android,self.java +16,1395213707,7,Under the hood changes in Java 8,self.java +0,1395211206,4,Oracle ADF Help site,self.java +0,1395202871,6,Functional FizzBuzz with Java 8 Streams,jattardi.wordpress.com +0,1395198622,4,Java 8 Release Fail,self.java +2,1395193926,3,Autoboxing into Optionals,self.java +0,1395181499,4,JDK 8 Release Notes,oracle.com +7,1395180456,4,The Optional Type API,techblog.bozho.net +0,1395172078,11,With the release of Java 8 can someone please ELI5 lambda,self.java +47,1395170523,5,IntelliJ IDEA 13 1 Released,blog.jetbrains.com +14,1395168717,6,Java SE 8 download is live,oracle.com +251,1395168576,5,Java 8 has been released,oracle.com +5,1395165286,9,OOD principles and the 5 elements of SOLID apps,zeroturnaround.com +2,1395163960,8,Validating HTML forms in Spring using Bean Validation,softwarecave.org +0,1395161835,5,Research on Java Enterprise Programming,self.java +0,1395160434,9,HIRING Front and back end dev in Southern California,spireon.com +2,1395160011,6,Tools Like Swagger to document JAVA,self.java +9,1395155313,16,HotSpot will use RTM Restricted Transaction Memory instructions to implement locking when running on Intel Haswell,mail.openjdk.java.net +9,1395154054,5,The Fundamentals of JVM Tuning,youtube.com +1,1395111184,6,advice on calling method using variable,self.java +3,1395098308,9,Attending a hackathon event soon could use some advice,self.java +1,1395098056,5,Video Audio editing in Java,self.java +1,1395088217,4,JSF Runtime exec doubt,self.java +26,1395082838,6,First class functions in Java 8,youtu.be +12,1395076812,13,Nerds test out new Shenandoah JVM Garbage collector on Role Playing Game Application,jclarity.com +3,1395076049,5,Framework for dealing with Actions,self.java +0,1395071641,5,Need help from you guys,self.java +3,1395069371,9,Trying to create artistic compositions based on an RNG,self.java +17,1395064756,11,IntelliJ IDEA 13 1 RC2 Ships Nearly Final Java 8 Support,blog.jetbrains.com +0,1395053912,7,Is there any good java assignments source,self.java +1,1395052440,8,Any good free online tools to learn Java,self.java +57,1395043401,3,Java 8 Tutorial,winterbe.com +0,1395037164,6,Using JPA and JTA with Spring,softwarecave.org +8,1395031507,5,Getting JUnit Test Names Right,codeaffine.com +3,1395025173,28,Running into ADF Jdeveloper issues specifically passing a row selection via right click and context menus from a query table to objects that use it for record selection,self.java +0,1395018008,9,Getting a list of every value in a map,self.java +2,1395016274,3,EJB Servlet Issues,self.java +7,1395015753,9,Published Beta version of Practical Eclipse Plugin Development eBook,blog.diniscruz.com +0,1395013461,8,Why won t the fiveDegrees method print anything,self.java +3,1395006071,10,Ideas on positioning a variable amount of images using swing,self.java +29,1394996659,10,Experiment with Java 8 Functionality in Java EE 7 Applications,jj-blogger.blogspot.de +4,1394994337,6,Apache Mavibot 1 0 0 M4,mail-archives.apache.org +5,1394994216,23,Apache OpenWebBeans 1 2 2 CDI 1 0 API JSR 299 Context and Dependency Injection for Java EE and JSR 330 atinject specifications,mail-archives.apache.org +20,1394993992,6,Apache Commons Compress 1 8 Released,mail-archives.apache.org +9,1394993286,2,Timer help,self.java +2,1394980353,11,Recommendations for open source visual mapping software for mapping career paths,self.java +2,1394972236,8,How do I start over from main again,self.java +11,1394950817,23,What are some of the common interview questions which would be asked More programming questions than concepts ie writing code on the board,self.java +0,1394932718,8,How to view java source code in eclipse,abrahamfarris.com +0,1394909303,6,Java Basics Lesson 6 Conditional Statements,javabeanguy.com +0,1394907948,4,Generating a random figure,self.java +1,1394907018,13,Question about Method the three dots public int changeInt int input Moves move,self.java +48,1394893025,6,How DST crashed the batch job,self.java +0,1394864076,10,First service release for Spring Data release train Codd released,spring.io +8,1394863536,7,Locking the Mouse inside an Application Frame,self.java +22,1394853156,7,Deploying a Java Tomcat Application via Chef,blog.jamie.ly +3,1394844825,3,Authenticating a WebBot,self.java +0,1394844816,2,Gridworld battles,self.java +0,1394840510,8,How do you guys like my color scheme,imgur.com +0,1394839029,37,Hey r java this is probably an easy fix for you guys but I was trying to test my program and I noticed that it prints null as well as the word entered Any one know why,imgur.com +8,1394821723,3,Modern Web Landscape,self.java +17,1394811877,6,JSR 363 Units of Measurement API,jcp.org +10,1394811450,6,Integration testing with Maven and Docker,giallone.blogspot.co.uk +0,1394807926,2,Garbage Collection,self.java +0,1394795257,4,How I learn Java,self.java +2,1394779857,7,Strange Java compilation issue involving cyclic inheritance,self.java +21,1394768279,9,Examples of beautifully written heavily unittested open source code,self.java +4,1394754866,13,I m deploying to Glassfish How do I get a faster feedback loop,self.java +7,1394751889,19,Good books similar to the style of the C programming language by Brian W Kernighan and Dennis M Ritchie,self.java +0,1394749870,2,Quick question,self.java +0,1394738003,8,counting occurences of a substring in a string,self.java +9,1394734587,12,Repeating Annotations The Java Tutorials gt Learning the Java Language gt Annotations,docs.oracle.com +0,1394732191,11,The Future of Java and Python HSG Articles from Software Fans,hartmannsoftware.com +0,1394723376,2,Live streaming,self.java +0,1394723305,29,java SampleProgram 533 I m a little new to programming Can someone help me break the sections down at a high level What improvements can be made to it,self.java +3,1394723054,9,Hosting your Eclipse update site P2 on Bintray com,blog.bintray.com +1,1394723031,14,Is this an acceptable way to load a class into the JVM at runtime,self.java +10,1394713657,4,Guice vs CDI Weld,self.java +2,1394704612,7,Moving characters in text based java game,self.java +8,1394702726,8,Hazelcast vs Cassandra benchmark on Titan Graph DB,mpouttuclarke.wordpress.com +2,1394688983,9,Recommendations for textbooks tutorials on writing UI in java,self.java +0,1394688301,10,Can someone tell me why this is an infinite loop,self.java +3,1394677136,5,Java and MySQL on Linux,self.java +6,1394673221,5,Java Textpad Game Do While,self.java +0,1394663011,4,ELI5 JUnit and XML,self.java +14,1394653294,4,Recommended training or conferences,self.java +0,1394652690,8,Java installs supposedly but then doesn t run,self.java +1,1394650936,7,Effective JAVA Typesafe Heterogeneous Container Pattern Implementation,idlebrains.org +8,1394648869,12,Beginner making a ludo game in java Any recommendations how to start,self.java +0,1394643338,6,Spring Dependency Injection DI Java Hash,javahash.com +0,1394639105,13,Vlad Mihalcea s Blog JOOQ Facts From JPA Annotations to JOOQ Table Mappings,vladmihalcea.com +4,1394629716,7,Java Tutorial Through Katas Fizz Buzz Easy,technologyconversations.com +6,1394627962,10,Concurrency torture testing your code within the Java Memory Model,zeroturnaround.com +0,1394624839,4,java notepad plugin compiler,raihantusher.com +13,1394623057,7,Java 8 Day EclipseCon North America 2014,eclipsecon.org +16,1394610739,7,Significant SSL TLS improvements in Java 8,blog.ivanristic.com +0,1394610463,10,Which version control allows easy reverts to a previous version,self.java +60,1394591830,13,Is JSP dead Please clarify this to me Just got a job interview,self.java +0,1394589186,5,Java Annotations educating and entertaining,whyjavasucks.com +1,1394583129,4,Head First Java outdated,self.java +0,1394580525,4,Advanced Serialization for Java,prettymuchabigdeal.com +0,1394579943,2,java programming,self.java +3,1394567373,3,Java game programming,self.java +20,1394556298,9,Using a Java Hypervisor to reduce your memory footprint,waratek.com +3,1394554024,3,Hosted Sonatype Nexus,self.java +1,1394552510,4,Software Versioning and Bugfixes,flowstopper.org +10,1394544569,11,Extracting Dates And Times From Text With Stanford NLP And Scala,garysieling.com +8,1394528150,6,Why package by type of type,self.java +22,1394526487,4,ObjectDB VS Hibernate ORM,self.java +13,1394518490,7,Projects to include in your Github portfolio,self.java +0,1394501997,6,Java message source best practice question,self.java +0,1394496981,9,How to add JLabels to a grid of JButtons,self.java +1,1394493018,8,Looking for tutorials for game making 2 D,self.java +13,1394492602,8,Use JNDI to configure your Java EE app,blog.martinelli.ch +2,1394492248,7,Anyone using OpenShift to host Jsp s,self.java +1,1394487457,9,Can you install packages using OS manager through Ant,stackoverflow.com +1,1394449946,2,Java forums,self.java +0,1394446470,9,Configure Spring datasource with dynamic location of property file,esofthead.com +3,1394445240,11,JSF I love you me neither 2011 auto translate from French,next-presso.com +0,1394408518,6,A good book to learn java,self.java +9,1394398843,6,Tools techniques standards to improve quality,self.java +24,1394389277,5,Read Modern Programming Made Easy,leanpub.com +7,1394380500,5,Spring Boot amp JavaConfig integration,morevaadin.com +0,1394363990,14,Why You Should Never Check if Two Strings Are Equal With Equal to Operator,javabeanguy.com +0,1394340827,6,Java program to Android app help,self.java +0,1394331808,3,Algorithm Analysis Help,self.java +0,1394317950,19,Today I m beginning my journey I will keep this post updated with my every days progress and pictures,self.java +1,1394317857,4,Hosting servlets within Eclipse,self.java +5,1394297655,10,libpst read Outlook pst file for the storage of emails,code.google.com +0,1394297370,4,Help with Java Assignment,self.java +0,1394295829,5,Workings on Java String JavaHash,javahash.com +35,1394288088,6,Guidance on self updating Java application,self.java +0,1394287637,18,Looking for some pointers to help improve my coding Swing GUI web scraping x post from f codereview,reddit.com +0,1394283431,6,Apache Maven Release 2 5 Released,maven.40175.n5.nabble.com +0,1394270296,8,Java Basics Lesson 4 Conditional and Bitwise Operators,javabeanguy.com +17,1394259620,6,Quick guide to building Maven archetypes,daveturner.info +1,1394256206,4,Working with Nexus Repository,daveturner.info +0,1394238357,6,New with Java need some help,self.java +5,1394236366,5,RxJava Observables and Akka actors,onoffswitch.net +0,1394235209,4,beginner help with Java,self.java +1,1394229195,12,Your opinion Are hand written methods on paper considered archaic to you,self.java +0,1394229034,17,Ping Identity A leader in the Identity and Access Management space Hiring multiple Java Engineers in Denver,self.java +0,1394226299,3,Help with Proxy,self.java +10,1394217786,12,Forward CDI 2 0 rough cut by future CDI 2 spec lead,next-presso.com +12,1394217658,7,Java 8 Friday Goodies SQL ResultSet Streams,blog.jooq.org +3,1394216644,14,DevNation Announced a new Java and open source conference San Francisco April 13 17,devnation.org +0,1394213138,4,Ideas for Java project,self.java +3,1394210785,20,Are the patterns guidelines described in Designing Enterprise Applications with the J2EE Platform still valid for Java EE 6 7,self.java +2,1394208037,6,Good resources on proper thread usage,self.java +51,1394196604,8,Java 8 Resources Caching with ConcurrentHashMap and computeIfAbsent,java8.org +0,1394189480,2,KILL ME,self.java +0,1394183404,9,Java Help Program won t print out or terminate,self.java +0,1394149983,4,Learning Java after Scala,self.java +87,1394138319,11,Last minute critical Java 8 bug found Will release be delayed,mail.openjdk.java.net +5,1394138270,6,Controlling Belkin WeMo Switches from Java,blog.palominolabs.com +16,1394132894,4,Java EE 7 Petclinic,thomas-woehlke.blogspot.com +0,1394127748,5,Need help for personal knowledge,self.java +0,1394124789,4,Wicket Application Development Tutorial,vidcat.org +6,1394091511,17,Getting rid of hand written bean mappers using code generation MapStruct 1 0 0 Beta1 is out,mapstruct.org +21,1394089164,17,Would you specialise in Java technologies or broaden your skill set over another 2 to 3 languages,self.java +14,1394082312,6,Apache Commons DBCP 2 0 released,mail-archives.apache.org +40,1394082090,6,Apache Commons Lang 3 3 released,mail-archives.apache.org +8,1394081822,8,Apache Shiro 1 2 3 Released Security Advisory,mail-archives.apache.org +9,1394077518,9,A guide around Spring 4 s buggy Websocket support,movingfulcrum.tumblr.com +2,1394068973,4,Java as first language,self.java +0,1394061483,4,Simplifying a Roulette Simulator,self.java +10,1394060651,9,For someone who is moving from C to Java,self.java +6,1394056735,9,Spring can t find bean in a JAR file,self.java +11,1394051758,9,Java 8 Resources Introduction to Java 8 Lambda expressions,java8.org +3,1394050244,6,Question JIT JVM overhead on hypervisors,self.java +0,1394033561,7,Beanstalkd and Glassfish 4 connections piling up,self.java +20,1394012837,6,Typesafe s Java 8 Survey Results,typesafe.com +0,1394011042,2,Java Task,self.java +3,1394008606,12,SWT Do You Know the Difference of Tree select and Tree setSelection,codeaffine.com +18,1393987018,16,Hey r Java I ve been working on my Java conventions Am I doing it right,pastebin.com +0,1393973818,5,Anyone want to test this,self.java +0,1393964107,10,The Fate of TDD Research is in your Hands Reddit,self.java +0,1393951629,11,Find the name of Exe running java application from inside code,self.java +4,1393948703,11,How would I go about feeding live data into an app,self.java +31,1393946344,11,How to avoid ruining your world with lambdas in Java 8,zeroturnaround.com +6,1393942094,7,Using the AutoValue Code Generator in Eclipse,codeaffine.com +3,1393941637,16,A subreddit for java developers to show their projects and ask for help from other members,reddit.com +0,1393935443,7,Kickstarter EasyEclipse for Java by Pascal Rapicault,kickstarter.com +5,1393935153,7,How not to create a permgen leak,plumbr.eu +5,1393933089,7,Differences between Jboss EAP amp Jboss GA,self.java +0,1393932377,3,Beginner Java help,self.java +24,1393929462,7,Adding Java 8 Lambda Goodness to JDBC,java.dzone.com +4,1393913700,7,Recursively walking a directory using Java NIO,softwarecave.org +51,1393877485,6,Survey Developers eager for Java 8,infoworld.com +7,1393871865,8,Can somebody explain annotations to me like this,self.java +20,1393870854,9,Java 8 Friday Goodies Easy as Pie Local Caching,blog.jooq.org +44,1393854634,6,Why One Hour Equals Ten Defects,thebriman.com +3,1393845197,11,Measuring the Social Media Popularity of Pages with DEA in JAVA,blog.datumbox.com +0,1393841016,10,why do we have to pay for help on java,liveperson.com +8,1393836874,8,Spring MVC Hibernate MySQL Quick Start From Scratch,gerrydevstory.com +6,1393822997,2,EnterpriseQualityCoding FizzBuzzEnterpriseEdition,github.com +0,1393811424,3,Java Android HELP,self.java +29,1393809143,11,Short intro to WebSockets in Java with JavaWebSocket JavaEE7 and Spring4,hsilomedus.me +5,1393795340,11,Cool new way to deploy JavaFX applications to the end user,captaincasa.blogspot.co.nz +0,1393784789,8,Teaser for Cargo Culting and Memes in JavaLand,blog.frankel.ch +4,1393776521,11,What do you think about the new Java 8 Optional monad,plus.google.com +4,1393775474,10,Is there a thread safe JDK 8 equivalent for SimpleDateFormat,self.java +8,1393768798,10,Why doesn t Eclipse community stand up more to IntelliJ,blog.diniscruz.com +25,1393758363,7,Net web developer getting started with Java,self.java +8,1393744988,8,A few questions over the basics of java,self.java +0,1393744531,8,Trying to display circles not going so well,self.java +0,1393698573,4,NEED HELP IN JAVA,self.java +1,1393690499,6,Java Basics Lesson 3 Arithmetic Operators,javabeanguy.com +51,1393687806,14,It s more important that Java programs be easy to read than to write,java.net +3,1393687368,2,INDEX usage,self.java +9,1393682344,5,JLS amp JVMS spec diffs,cr.openjdk.java.net +1,1393680929,10,Achieving Extreme GeoServer Scalability with the new Marlin vector rasterizer,geo-solutions.it +1,1393674071,12,CVE 2014 0002 and CVE 2014 0003 Apache Camel critical disclosure vulnerability,mail-archives.apache.org +15,1393673978,6,HttpComponents Client 4 3 3 Released,mail-archives.apache.org +1,1393673676,6,Konik ZUGFeRD de invoicing data model,konik.io +1,1393673507,7,Persistent immutable collections for Java from Scala,github.com +1,1393637815,13,How to create a java file with no pre written code on Netbeans,self.java +7,1393636431,10,Gavin Bierman leaves Microsoft Research Cambridge to join Oracle Labs,plus.google.com +1,1393619027,6,NumberFormatException Best practices for form submissions,self.java +109,1393589926,7,10 Subtle Best Practices when Coding Java,blog.jooq.org +6,1393544952,10,Using Proximo as a SOCKS proxy in Java on Heroku,blog.palominolabs.com +15,1393544211,19,Last weekend I made an opensource TwitchPlays Clone in java for Linux and VBA x post from r twitchplayspokemon,github.com +8,1393536891,3,codehause org gone,self.java +23,1393535499,17,With all that Java can do what type of project should I create for my portfolio first,self.java +10,1393525991,7,Loading a Properties File via context xml,blog.jamie.ly +8,1393524787,6,Help w intro to data structures,self.java +1,1393517717,7,Java Dev here Question about Spring framework,self.java +6,1393517563,9,WildFly 8 versus TomEE versus WebLogic and other matters,jaxenter.com +0,1393509720,5,How do you learn java,self.java +0,1393506179,9,Full Apache stack for the Apache licensed RIA framework,vaadin.com +1,1393503189,9,JavaFX 2 Testing Library With Fluent API EUPL license,github.com +0,1393501654,12,50 bounty if you fix this jenkins plugin java jenkins svn tagging,freedomsponsors.org +4,1393496811,4,Java Personal Cloud Software,self.java +8,1393490289,10,Tutorial How to Create a Border Glow Effect in JavaFX,blog.idrsolutions.com +10,1393483424,9,Pitfalls of using sun misc Unsafe for chasing pointers,psy-lob-saw.blogspot.com +8,1393479828,7,Performance of JSON Processing and json smart,self.java +0,1393478856,15,Need help with while loop code can t seem to figure out what is happening,self.java +3,1393449378,3,Java Security Updates,self.java +0,1393448125,5,Need help with pattern problem,self.java +0,1393446907,4,Java Fraction Calculator Example,gigal.blogspot.com +38,1393446009,7,Results from Java EE 8 survey pdf,java.net +2,1393445591,6,Calculating cryptographic hash functions in Java,softwarecave.org +5,1393443253,7,Why should I learn the Spring framework,self.java +6,1393442548,11,A deeper look into the Java 8 Date and Time API,mscharhag.com +7,1393441576,4,Worst possible method signature,self.java +2,1393439315,5,toString method on Immutable classes,self.java +2,1393436266,7,eclipse 3 8 or eclipse 4 3,self.java +0,1393433279,4,Help with java homework,self.java +4,1393429690,12,dagger servlet A guice servlet port for Dagger managed injection of servlets,github.com +2,1393407945,6,A simple JSF amp Glassfish question,self.java +10,1393407059,3,Mobile dev device,self.java +0,1393393955,3,If Statement Help,self.java +1,1393386220,9,New to programming having trouble with code from text,self.java +2,1393385941,3,Help with PropertyChangeListener,self.java +7,1393381817,2,Sound recording,self.java +0,1393378546,10,Very new to programming and Java Question about use charAt,self.java +0,1393373959,11,Is there an easy way to do exponential subtraction in Java,self.java +4,1393370821,7,Miranda Methods a historical note in comments,grepcode.com +3,1393366657,8,Practicality of JVM based languages other than Java,self.java +1,1393349150,11,Some New Tricks For the Old Dog Java 8 x programming,youtube.com +2,1393344016,8,Java 8 Tutorial Through Katas Berlin Clock Easy,technologyconversations.com +134,1393338439,6,Please stop saying Java sucks 2009,blog.smartbear.com +1,1393336230,9,Why Static Code Analysis is Important on Java Projects,javarevisited.blogspot.sg +0,1393334141,8,A JUnit Rule to Ease SWT Test Setup,dzone.com +2,1393327697,9,How to Load Config Files with the Strategy Pattern,blog.stackhunter.com +2,1393322610,27,Looking for a exciting payed summer project in big data Stratosphere got accepted to Google Summer of Code 2014 Check the idea list xpost from r bigdata,github.com +2,1393320209,4,Fast Remote Service Tests,blog.thesoftwarecraft.com +22,1393314175,15,Cool minimal open source screenshot program I wrote in Java x post from r coding,sleeksnap.com +14,1393313197,9,New grad feeling lost in java tools help please,self.java +2,1393299067,18,I want to improve my java what books frameworks modules should I look into to improve my java,self.java +0,1393298958,6,Java Help Yes it is homework,self.java +5,1393290601,9,Tomcat fighting me can not get a database connection,self.java +2,1393288041,15,io tools Java utilities for stream wiring and file format detection OutputStream to InputStream conversion,code.google.com +3,1393274828,7,Learning J2EE7 Java EE 7 vs Grails,self.java +0,1393274143,6,Book recommendations for refreshing my memory,self.java +2,1393271755,6,Java interview questions looking for feedback,self.java +2,1393264816,8,Tools and frameworks for the modern Java developer,self.java +1,1393264037,16,Is there a Java Emulator for iPad A way to practice java programming without the computer,self.java +6,1393262353,4,JPA and persistence xml,self.java +11,1393256669,30,UPDATE New version of Pebble the java templating engine It now includes the much desired autoescaping of templates and numerous bug fixes Looking for people to try and break it,blog.pebble.mitchellbosecke.com +0,1393249756,10,Year Of Code amp The Myth Of The Programmer Shortage,codemanship.co.uk +159,1393245915,8,Why printing B is dramatically slower than printing,stackoverflow.com +4,1393240326,6,Spring Framework Links by Amaresh Agasimundina,springframework.zeef.com +1,1393233540,18,New to java and programming in general I have 2 theoretical questions Would really appreaciate some answers Ty,self.java +2,1393231704,5,Most common gotchas in Java,vanillajava.blogspot.co.uk +2,1393231238,9,Where and how do you organize your central objects,self.java +1,1393219618,5,Specify cipher suites for HttpsURLConnection,self.java +0,1393219391,19,Updated my Java and now I cant access my chat site because it s being blocked by security settings,self.java +4,1393216709,6,Responsive UIs with Eclipse and SWT,codeaffine.com +1,1393215863,3,HelloWorld servlet help,self.java +18,1393207179,10,When should I assign null to a variable for GC,self.java +0,1393183784,7,How does MapReduce receive input by default,self.java +6,1393121316,3,Favorite Java talks,self.java +35,1393120922,16,What is your most interesting program you ve worked on in the last year or so,self.java +0,1393103530,14,How to receive a XML file or other similar format from an HTTP server,self.java +8,1393098030,22,Hello Javit I d like to show you an early version of a browser based log monitoring tool I m working on,self.java +24,1393094778,12,From Imperative Programming to Fork Join to Parallel Streams in Java 8,infoq.com +7,1393086499,5,Java Basics Lesson 2 Arrays,javabeanguy.com +0,1393080716,17,JFrame JPanel and repaint feel like I m being stupid but I don t really get it,self.java +0,1393079881,3,Law of Demeter,eyalgo.com +6,1393061654,15,Custom Java query class DSL Builder pattern static imports or something else for complex queries,stackoverflow.com +1,1393049727,13,Pass by reference and pass by value Which is it where and how,self.java +7,1393044119,11,Web Translation Service using Apache Cxf JAX WS JAX RS SpringFramework,apprenticeshipnotes.org +76,1393022881,24,My teacher told us to write a program to print a picture in Intro to Java a couple days ago This was the result,i.imgur.com +0,1393019873,18,Best way to generate elements from a list using custom components not a listview x post r javafx,reddit.com +0,1393010375,8,Has anyone seen this weird Eclipse bug before,stackoverflow.com +2,1393006505,6,Coping with Methods with Many Parameters,techblog.bozho.net +3,1393005043,10,Java And Scala Former Competitors May Be BFFs Before Long,readwrite.com +1,1392999760,5,Testing Spatial Data with DbUnit,endpoint.nl +8,1392996982,22,squirrel foundation is a State Machine library which provided a lightweight easy use type safe and programmable state machine implementation for Java,github.com +25,1392979311,9,Jersey 2 6 has been Released New and Noteworthy,blog.dejavu.sk +3,1392971037,5,Clean approach to Wicket models,blog.eluder.org +17,1392961953,5,Java performance and good design,self.java +0,1392957379,3,Confusion in Java,self.java +0,1392950129,2,Program help,self.java +29,1392942226,14,JAAS in Java EE is not the universal standard you may think it is,arjan-tijms.blogspot.com +0,1392933616,12,How do you assign a lambda to a variable in Java 8,stackoverflow.com +18,1392931477,10,Apache Tomcat 7 0 52 released Fix CVE 2014 0050,mail-archives.apache.org +0,1392929397,6,Cayenne ORM 3 1 release candidate,mail-archives.apache.org +0,1392897753,5,JavaFX with Nashorn Canvas example,justmy2bits.com +88,1392892653,10,Your Path to a 16B exit Build a J2ME App,blog.textit.in +3,1392873844,6,Help me choose a thesis subject,self.java +0,1392867962,15,Is there a way to get JavaCC to ignore everything which is not a token,self.java +14,1392854465,10,More on Nashorn Oracle s JavaScript engine shipping with Java8,blog.credera.com +10,1392850997,14,Oracle and Raspberry Pi Develop Java Embedded Applications Using a Raspberry Pi Free MOOC,apex.oracle.com +4,1392841940,11,pretty console a java library to make application config properties beautiful,github.com +7,1392837990,9,Should You Use Spring Boot in Your Next Project,steveperkins.net +0,1392834919,17,Can t figure out how to access my sqlite database from within a webapp deployed on tomcat,self.java +1,1392834690,8,Did repaint change in Java 6 or 7,self.java +6,1392831689,13,Shenandoah A new low pause Garbage Collection algorithm for the Java Hotspot JVM,jclarity.com +7,1392829437,11,199 core java interview questions you can download from below link,programmers99.com +7,1392824446,17,Hazelcast MapReduce API distributed computations which are good for where the EntryProcessor is not a good fit,infoq.com +7,1392823890,6,Apache Archiva 2 0 0 released,mail-archives.apache.org +14,1392817652,15,jol Java Object Layout the command line tool to analyze object layout schemes in JVMs,openjdk.java.net +109,1392814367,6,Why amp How I Write Java,stevewedig.com +17,1392800472,16,Hooray We just released version 3 of Ninja A full stack web framework written in Java,ninjaframework.org +0,1392784036,11,Is there a good way to integrate ads to a gui,self.java +0,1392778867,6,Help counting trigrams in a string,self.java +4,1392776164,6,Java Graphical Authorship Attribution Program JGAAP,evllabs.com +0,1392748894,4,Trouble with Xamarin Studio,self.java +147,1392747288,18,AMA We re the Google team behind Guava Dagger Guice Caliper AutoValue Refaster and more ask us anything,self.java +0,1392741923,7,Google s Java Coding Standards Java Hash,javahash.com +0,1392741738,7,Java Comparator and Comparable demystified Java Hash,javahash.com +10,1392738032,4,Thread Confinement JavaSpecialists 218,javaspecialists.eu +49,1392733077,5,Monadic futures in Java 8,zeroturnaround.com +6,1392732184,6,Java SE 8 Date and Time,oracle.com +5,1392731950,16,Learning to program Java by myself reasonable useful learning curve or approach to more complicated problems,self.java +0,1392716911,5,Java Basics Lesson 1 Variables,javabeanguy.com +43,1392714812,7,Parsing very small XML beware of overheads,clement.stenac.net +0,1392706569,13,Java net a good resource for staying up to date with Java news,java.net +16,1392694866,7,Salary For an Entry Level Software Engineer,self.java +3,1392689664,8,Going to hackathon with no experience need help,self.java +1,1392684445,9,Need help with a tiny logic error almost finished,self.java +1,1392670518,4,Question about java classes,self.java +0,1392666480,7,Cannot get if statement to print text,self.java +3,1392663459,6,books can be read in bed,self.java +1,1392658943,11,Java EE Tutorial 4 1 Security Realms with Glassfish Part 1,youtube.com +0,1392656017,7,Adv Java Java Server Page Session Management,vakratundcloud.co.in +0,1392652992,5,Adv Java Servlet Hidden Field,vakratundcloud.co.in +0,1392652297,5,Adv Java Servlet Database Connectivity,vakratundcloud.co.in +17,1392651797,3,Swing to JavaFX,dreamincode.net +8,1392651691,2,Spek Documentation,jetbrains.github.io +14,1392635796,7,Optimize MySQL Queries with Spring s JdbcTemplate,blog.stackhunter.com +2,1392633296,4,Inject Properties using CDI,blogs.oracle.com +0,1392621695,5,How send data from server,self.java +30,1392615309,2,JUnit Rules,codeaffine.com +2,1392592018,8,Using Delimiter to get info inside curly braces,self.java +0,1392587855,14,An error concerning a local variable that is not a local variable Any Suggestions,self.java +0,1392586287,9,An improved example of how volatile in java helps,orangepalantir.org +0,1392575738,6,How do I end this loop,self.java +1,1392575476,11,HashMap is faster than a search through all the values right,garshol.priv.no +1,1392567167,7,Chaining URL View resolvers in Spring MVC,blog.frankel.ch +6,1392562950,6,Jersey Hello World Example Java Hash,javahash.com +3,1392561684,7,Is JDK8 going to support Windows XP,self.java +19,1392560782,11,Mockito Why You Should Not Use InjectMocks Annotation to Autowire Fields,tedvinke.wordpress.com +45,1392560431,12,10 Reasons Why Java Rocks More Than Ever Part 9 Backwards Compatibility,zeroturnaround.com +4,1392536617,13,What s a good book for learning about the new Java 8 features,self.java +0,1392527532,10,How do I round of to a specific decimal point,self.java +11,1392519462,3,Google Guava Presentation,scaramoche.blogspot.co.uk +8,1392506893,11,Java game engine jMonkeyEngine 3 0 Capuchin Prime is officially STABLE,hub.jmonkeyengine.org +0,1392504588,5,Need help to learn JAVA,self.java +0,1392504285,9,is a has a Difference between inventory and stock,self.java +3,1392499360,14,How to Overwrite The Version of Mojarra in WLS 12 1 2 and Beyond,weblogs.java.net +41,1392498481,15,Under what circumstances do you tell people you are a programmer verses a software engineer,self.java +6,1392493215,8,What is the best data type for currency,self.java +2,1392492284,10,How do I fill this empty space in my GUI,self.java +10,1392476573,7,Announcing Java ME 8 Early Access 2,terrencebarr.wordpress.com +1,1392454154,12,How should I use Hibernate Mapping while dealing with huge data table,stackoverflow.com +34,1392446717,8,Good Programming Tutorials Are Few and Far Between,self.java +0,1392441439,6,Did I make a major mistake,self.java +0,1392435079,16,Hi there I was wondering if anybody could help me with a problem I am having,self.java +0,1392425766,7,Why aren t my methods being called,self.java +3,1392420326,23,The Blind Builder An alternative design pattern to the Bloch Builder for classes intended to be extended and sub extended many times aliteralmind,programmers.stackexchange.com +10,1392414873,3,WildFly 8 benchmarked,jdevelopment.nl +2,1392413238,7,JavaFX application launches but does not run,self.java +1,1392402960,8,My first Java Game Thing Link in Desc,self.java +0,1392402238,11,Can t seem to figure out why this will not compile,self.java +0,1392395694,5,Adv Java Servlet Basic Example,vakratundcloud.co.in +7,1392393230,12,What common pieces of code you implement in most of your projects,self.java +0,1392390913,5,Best Tutorial to Learn Java,self.java +5,1392386547,6,The Exceptional Performance of Lil Exception,shipilev.net +1,1392386189,6,8 Cool Things About Java Streams,speling.shemnon.com +94,1392376716,10,What aspect of your Java programming do you like best,self.java +2,1392362363,4,JavaFX application slow startup,self.java +0,1392357082,4,Java Roomba Program Help,self.java +0,1392348947,2,Help please,self.java +1,1392341570,11,How do I parse a String into java sql Date format,self.java +1,1392340628,10,I have a noob question Can anyone help me out,self.java +1,1392340133,20,I want to build something in Java but I have no idea where to start and practically no code experience,self.java +1,1392330121,4,Help with Rounding Integers,self.java +19,1392327944,5,Elastic Search 1 0 0,elasticsearch.org +10,1392326672,6,Jetty 9 1 2 v20140210 Released,jetty.4.x6.nabble.com +2,1392326473,11,Securer String a String library for shredding sensitive data after use,github.com +23,1392323533,9,JSF is not what you ve been told anymore,blog.primefaces.org +20,1392322562,6,Netbeans 8 nightly impressive first day,martijndashorst.com +5,1392312402,8,A comprehensive example of JSF s Faces Flow,blog.oio.de +29,1392312272,5,Netty at Twitter with Finagle,blog.twitter.com +0,1392307261,4,Please Help Eclipse Error,self.java +0,1392306955,5,Anyone Feeling Bored and Helpful,self.java +0,1392274571,4,Adv Java Swing Menu,vakratundcloud.co.in +0,1392270735,3,Swing JTree Example,vakratundcloud.co.in +10,1392267486,7,Could someone please explain Java version compatibility,self.java +1,1392265396,10,Help integrating spring spring data in to existing maven project,self.java +0,1392244635,12,Opening a Perforce Stored Android Project that is Already In The Workspace,self.java +3,1392235726,12,What s the longest valid method call you have used in Java,self.java +0,1392235648,11,Web application stopped serving static files after adding RESTful web services,self.java +0,1392234381,10,Good intro to Android development for someone familiar with Java,self.java +6,1392233730,8,Oracle Java EE 7 curriculum and certification survey,surveymonkey.com +0,1392222694,6,Getting Started with IntelliJ from Eclipse,zeroturnaround.com +0,1392220659,9,Free Team Management Tool For JavaCodeGeeks Com Readers Giveaway,javacodegeeks.com +9,1392218697,10,Red Hat JBoss BPM Suite access GIT project using SSH,schabell.org +35,1392218635,10,Help Java listeners stop working when laptop is on battery,self.java +0,1392215147,5,Need help with this problem,self.java +0,1392210742,7,How to create method taking arbitrary arguments,self.java +15,1392206261,11,JTA 1 2 It s not your Grandfather s Transactions anymore,blogs.oracle.com +16,1392205967,20,Red Hat s JBoss team launch WildFly 8 with full Java EE 7 support and a new embeddable web server,infoq.com +35,1392202168,5,WildFly 8 Final is released,wildfly.org +0,1392200648,9,How to write dynamic SQL in MyBatis using Velocity,esofthead.com +0,1392163129,3,Basic help please,self.java +87,1392155947,10,Java 8 Cheatsheet lambdas method references default methods and streams,java8.org +15,1392153769,6,Hazelcast Websockets amp Real Time Updates,blog.c2b2.co.uk +0,1392148479,6,Jstack and kill 9 on OOM,self.java +3,1392147645,12,Is there a reason I shouldn t be using Maven in NetBeans,self.java +0,1392141749,4,Survey about learning programming,self.java +2,1392141163,4,Querydsl powered Vaadin persistence,vaadin.com +1,1392140526,39,I found some links on r howtohack that contained a bunch of python books in an archive Now I m almost fluent I want to begin development for Android and hear I need Java Does anyone have any resources,self.java +6,1392136332,9,Expect Stripped Implementations to be dropped from Java 8,jaxenter.com +2,1392134305,7,Java XML Tutorial for Developers Java Hash,javahash.com +0,1392132034,6,CheckBox Example with JSF 2 0,examples.javacodegeeks.com +31,1392131605,8,Java 8 will likely strip out Stripped Implementations,infoworld.com +2,1392128838,8,When to declare a Method Final in Java,javarevisited.blogspot.sg +0,1392115429,24,An old article but do we have a better binding to Qt in Java world Or does the current Qt Jambi working just fine,javaworld.com +10,1392103009,6,Apache POI 3 10 FINAL released,mail-archives.apache.org +28,1392102331,2,Effective Mockito,eclipsesource.com +1,1392082461,14,Has anyone used PDFBox or another open source library to successfully view PDF Files,self.java +7,1392065407,7,Java 8 Performance Improvements LongAdder vs AtomicLong,blog.palominolabs.com +1,1392064489,14,How to check if a double is the correct data type in java eclipse,self.java +1,1392063731,9,What is the best java web framework for production,self.java +30,1392059607,11,WildFly 8 0 joins roster of certified Java EE 7 servers,jaxenter.com +42,1392055445,6,Is GWT still a viable technology,self.java +5,1392054801,6,Preparing for the 1Z0 803 exam,self.java +0,1392053980,8,Looking for a free website that teaches Java,self.java +11,1392042476,3,A multithreading mystery,self.java +13,1392041976,6,Java 8 From PermGen to Metaspace,javaeesupportpatterns.blogspot.ie +0,1392041531,5,Am I A professional now,self.java +24,1392039599,4,Mockito Templates for Eclipse,codeaffine.com +1,1392031280,8,Need help question about programming assignment in java,self.java +4,1392028954,3,Everything about PrimeFaces,primefaces.zeef.com +2,1392025837,7,Logging in Java with users in mind,blogg.kantega.no +0,1392024594,8,When Attention converges to Zero Enterprise Software Trends,contentreich.de +22,1392007066,6,What has Java been useful for,self.java +27,1392001103,10,My modern take on Spring 4 MVC Hello World Tutorial,jbrackett.blogspot.com +0,1391999197,4,Java wizard getting interrupted,self.java +0,1391989455,7,Why won t me size method work,self.java +4,1391984964,2,Netbeans problem,self.java +0,1391975910,9,Core Java Advanced Features what do you guys think,self.java +10,1391960970,3,Java Runtime Compiler,github.com +9,1391960042,6,Try with resources in Java 7,softwarecave.wordpress.com +0,1391958799,8,How to generate a random four digit number,self.java +0,1391958133,7,Reusing front end components in web applications,blog.frankel.ch +40,1391951206,10,Spring 4 MVC Hello World Tutorial Full Example Java Hash,javahash.com +0,1391931825,8,Javafx TextArea scrolling bugs when writing 20k lines,self.java +0,1391929442,3,JSF Facelets templates,softwarecave.wordpress.com +14,1391917717,4,Java 8 Type Annotations,mscharhag.com +6,1391907278,9,Where do I start to learn Xpost r learnjava,self.java +0,1391906103,16,New To Java What are some recommended books or websites or tutorials to get me started,self.java +10,1391903878,14,JDK 8 Doclint for Javadoc is a pain but it can be turned off,blog.joda.org +1,1391902903,4,CSV File program java,self.java +24,1391874350,6,JeroMQ Native Java implementation of ZeroMQ,github.com +2,1391873591,8,SECURITY Apache Commons FileUpload 1 3 1 released,mail-archives.apache.org +7,1391870511,11,Are Project Coin s collection enhancements going to be in JDK8,stackoverflow.com +2,1391869788,7,Updating Jersey 2 JAX RS in GlassFish,blog.dejavu.sk +0,1391868845,5,Help with Java Error 1712,self.java +7,1391858398,8,Using JUnit JaCoCo and Maven for code coverage,softwarecave.wordpress.com +17,1391825284,8,Proposal Drop Stripped Implementations from Java SE 8,mail.openjdk.java.net +7,1391810426,15,Anyone know of a good intro to Java that is oriented toward tomcat application development,self.java +10,1391793385,5,Apache DeltaSpike Data Module JPA,deltaspike.apache.org +44,1391783014,19,Guava 16 0 1 fixes problems with JDK 1 7 0_b51 TypeVariable No more need to hold back update,plus.google.com +10,1391779377,7,Using JOOQ with Spring and Spring Transaction,jooq.org +1,1391779101,8,5 Ways to Handle HTTP Server 500 Errors,blog.stackhunter.com +4,1391768904,4,Parallel Parking JavaSpecialists 217,javaspecialists.eu +5,1391766574,8,First look at Deltaspike Introduction A JSF example,kildeen.com +14,1391723897,7,Strategy for JUnit tests of complex objects,self.java +13,1391723482,11,SECURITY CVE 2014 0050 Apache Commons FileUpload and Apache Tomcat DoS,mail-archives.apache.org +2,1391719427,31,I need some assistance using an arrayList to create an iterator in a stack class Details in comments Not sure if this is the right sub If not direct me elsewhere,self.java +14,1391714676,8,Filtering JAX RS Entities with Standard Security Annotations,blog.dejavu.sk +6,1391706728,9,JAXB Serialize child classes with only selected parent fields,blog.bdoughan.com +35,1391701604,12,A practical example of what Java 8 can do to your code,zeroturnaround.com +7,1391701053,6,Reactive functional UI development with Vaadin,vaadin.com +2,1391699581,5,Java EE CDI TransactionScoped example,byteslounge.com +0,1391697506,7,Plumbr Plumbr 3 5 usability lessons learned,plumbr.eu +4,1391695745,7,Radio Buttons Example with JSF 2 0,examples.javacodegeeks.com +45,1391693759,6,JEP 188 Java Memory Model Update,openjdk.java.net +0,1391683824,11,Whats the safest and best way to add to a database,self.java +1,1391668836,15,What is a good book to start learning Java for someone with some programming experience,self.java +1,1391660299,6,Small issue working with custom library,self.java +0,1391653657,24,To make a 2d field should I use a Array or a Hashmap And what is the argumentation for the one I should use,self.java +4,1391649265,2,Packaging OpenJDK,blog.fuseyism.com +4,1391643336,4,Using Swing and getActionCommand,self.java +8,1391610246,11,Step by Step How to bring JAX RS and OSGi together,eclipsesource.com +15,1391607731,12,JDBC 4 0 s Lesser known Clob free and Blob free Methods,blog.jooq.org +37,1391606482,7,Stephen Colebourne s blog Exiting the JVM,blog.joda.org +18,1391595483,10,Shenandoah An ultra low pause time Garbage Collector for OpenJDK,rkennke.files.wordpress.com +10,1391575813,7,Is there a JAVA API for Reddit,self.java +0,1391553769,5,A question about java events,self.java +5,1391542900,10,New to Java Small App uses Massive Amounts of CPU,self.java +5,1391535045,8,Javax mail How to implement Undelivered Email notifications,cases.azoft.com +0,1391533574,3,Using a List,self.java +10,1391530008,7,first release candidate build of JDK 8,mail.openjdk.java.net +0,1391525309,7,I want a book on Design Patterns,self.java +30,1391523194,11,Why is it hard to make a Java program appear native,programmers.stackexchange.com +1,1391509125,10,New to JAVA Have to build a Text Miner Analyzer,self.java +63,1391467811,10,Java Ranks 2 in Most Popular Programming Languages of 2014,blog.codeeval.com +8,1391463731,7,Is Node js Really Faster Than Java,self.java +0,1391462458,7,Need some help in Java with selections,self.java +7,1391450571,5,WebSockets in Java A Tutorial,restlessdev.com +10,1391443315,7,JVM Language Summit 2013 Videos amp Slides,oracle.com +1,1391442919,2,Hibernate Advice,self.java +3,1391441666,22,How do I add jar files to classpath Specifically I am using Eclipse and I want to add Quartz scheduler jar files,self.java +0,1391436327,9,Configuring Tomcat and Apache httpd load balancing and failover,syntx.co +36,1391434816,7,Why using SLF4j is better than Log4j,javarevisited.blogspot.sg +5,1391428388,11,How To Build Template Driven Java Websites with FreeMarker and RESTEasy,blog.stackhunter.com +9,1391422529,14,Creating Multiplayer Game using libgdx libgdx is a cross platform Java game development framework,blogs.shephertz.com +5,1391415432,14,A question about how to handle structure persistence in a case that confuses me,self.java +2,1391398249,6,Help speeding up LRU cache implementation,self.java +24,1391367560,12,Hardware Transactional Memory in Java or why synchronized will be cool again,vanillajava.blogspot.co.uk +8,1391367207,9,Some help with a personal project would be nice,self.java +9,1391327501,16,How should I test implement my library but not include tests implementations when building a JAR,self.java +0,1391327474,7,Evaluating expressions using Spring Expression Language SpEL,syntx.co +7,1391302024,4,JSR 292 Cookbook PDF,i.cmpnet.com +2,1391286662,6,Apache PDFBox 1 8 4 released,mail-archives.apache.org +7,1391286442,3,Apache ODF Toolkit,incubator.apache.org +18,1391284791,5,Java 8 Support in Eclipse,waynebeaton.wordpress.com +0,1391276631,11,Looking for help on a layout created by a java program,self.java +5,1391272143,4,Detecting Scroll Lock State,self.java +12,1391264881,1,Speed4j,github.com +9,1391264293,4,Rio Dynamic Distributed Services,rio-project.org +0,1391234856,10,Java web developers who wish to implement robust security mechanisms,packtpub.com +7,1391231718,7,First Java 8 Book on The Market,amazon.com +11,1391228251,16,Looking for a small group of somewhat beginners at Java to work on small projects with,self.java +4,1391221571,9,Transforming an object into a subclass of that object,self.java +3,1391208846,5,Strange results in Java 8,self.java +0,1391205693,7,Passing an object into a static method,self.java +0,1391203889,14,Help with a problem I need help with part b and c the most,i.imgur.com +3,1391200525,5,Wanting to use multiple threads,self.java +31,1391199237,8,How To Regular Expressions in Java Part 1,ocpsoft.org +0,1391193881,11,Is it possible to run and automate a program in Java,self.java +1,1391193664,21,Eclipse Plugin that allows the execution of REPL Groovy Scripts in the current Eclipse Instance and Fluent API for Eclipse SWT,blog.diniscruz.com +32,1391188094,5,High performance libraries in Java,vanillajava.blogspot.co.uk +0,1391186957,14,Amazing site http opensource uml org Popular opensource Java libraries reversed in UML models,self.java +7,1391180735,6,Change from technical consultant to dev,self.java +1,1391174558,6,Writing serial data to text files,self.java +22,1391162601,11,The myth of calling System gc twice or several times prevails,stackoverflow.com +1,1391159896,10,41 Websites Every Java Developer Should Bookmark The Complete List,cygnet-infotech.com +26,1391151530,5,Java Programming as a job,self.java +0,1391147192,6,Java Web Applications and Much More,askvikrant.com +2,1391143806,2,Learning Java,self.java +0,1391139499,5,Results from random image generator,imgur.com +8,1391108552,8,Oracle Plans to Reunify Java for IoT Age,blog.programmableweb.com +1,1391105812,7,jHTML2Md A simple HTML to Markdown converter,self.java +4,1391101292,17,Deutsche Bank have an online eBills services that works with Java 1 6 but not 1 7,self.java +2,1391099931,8,Connecting JBoss WildFly 7 to ActiveMQ 5 9,blog.c2b2.co.uk +6,1391094206,5,Intrinsic Methods in HotSpot VM,slideshare.net +0,1391086937,3,Spring Integration Refcard,refcardz.dzone.com +0,1391081272,10,Handling JAX RS and Bean Validation Errors with Jersey MVC,blog.dejavu.sk +81,1391077865,10,JDK 8 reference implementation released except for Mac of course,jdk8.java.net +10,1391077417,3,Choosing an ExecutorService,blog.jessitron.com +0,1391074601,12,Is it possible to edit an application if I have the sourcecode,self.java +2,1391053554,11,XMLUnit Easy way to unit test your xml data BSD License,xmlunit.sourceforge.net +0,1391051263,13,Hello r java I made a project that encrypts files using XOR algorithm,self.java +0,1391045807,11,Building Java Programs A Back to Basics Approach 3rd Edition PDF,self.java +10,1391040174,12,How to make an IntelliJ IDEA plugin in less than 30 minutes,bjorn.tipling.com +1,1391039343,5,Writing to open excel files,self.java +0,1391018417,6,Taking an online Java programming course,self.java +0,1391014526,12,I created a Java programming course for the beginner that is free,self.java +0,1391012984,3,Java practise programs,self.java +1,1391003624,9,LiveRebel 3 0 lands Now release multiple apps simultaneously,zeroturnaround.com +1,1391000662,7,What is a good Java graphing library,self.java +153,1390999217,4,Google Java Coding Standards,google-styleguide.googlecode.com +8,1390997810,3,Java 8 Changes,codergears.com +2,1390992827,6,Java bash like parameter expansion library,self.java +5,1390990280,16,The Baeldung Weekly Review 4 A weekly review of interesting Java Java 8 Spring related topics,baeldung.com +0,1390973436,4,Simple Java Hashing Program,self.java +2,1390967800,9,A request for help with starting my pet project,self.java +3,1390953167,7,Writing Interactive Web Applications with Web Actors,blog.paralleluniverse.co +0,1390951174,38,I saw this problem in my java book T or F If the value of a is 4 and the value of b is 3 then after the statement a b the value of b is still 3,self.java +0,1390947528,4,Help with java array,self.java +41,1390941404,9,Java 8 will use TLS 1 2 as default,blogs.oracle.com +0,1390934950,11,How come I can t compile java on windows 8 1,self.java +0,1390932322,12,Can HTML make random text appear in a livejournal post Like java,self.java +14,1390932167,5,WildFly 8 vs GlassFish 4,blog.eisele.net +33,1390926211,12,ThoughtWorks latest Technology Radar moves Ant to Hold advocates Gradle Buildr etc,thoughtworks.com +19,1390922051,11,Machine Learning tutorial Developing a Naive Bayes Text Classifier in JAVA,blog.datumbox.com +29,1390920390,16,I made a new Java templating engine and I m looking for feedback and or contributors,mitchellbosecke.com +1,1390915750,9,Creating Grammar Parsers in Java and Scala with Parboiled,hascode.com +1,1390912255,15,New easy way to resolve Maven dependency conflicts in IntelliJ x post from r IntelliJIDEA,self.java +0,1390907340,13,Hello r Java I m very new to programming and need your help,self.java +0,1390902152,15,Java is the new C Comparision of different concurrency models Actors CSP Disruptor and Threads,java-is-the-new-c.blogspot.de +8,1390898725,20,Hello r java I ve written a Java documentation and source code viewer and would love to hear your feedback,self.java +0,1390865293,4,NetBeans 8 Loves PrimeFaces,youtube.com +35,1390858799,4,JEP 186 Collection Literals,openjdk.java.net +0,1390858583,4,Mpxj Microsoft Project Interop,mpxj.sourceforge.net +2,1390857947,14,JTS Topology Suite is an API of spatial predicates and functions for processing geometry,tsusiatsoftware.net +14,1390856214,12,AutoValue simple value object code generation with no metalanguage just plain Java,plus.google.com +4,1390854988,12,Annotations and Annotation Processing What s New in JDK 8 57 10,youtube.com +15,1390852794,9,Oracle doing a survey on sun misc Unsafe usage,blogs.oracle.com +0,1390842526,9,Java 8 Goodies The New New I O APIs,javacodegeeks.com +1,1390835969,9,Brief Discussion About the Java 8 Date Time API,blog.codecentric.de +21,1390834912,7,Best practices to improve performance in JDBC,precisejava.com +0,1390833574,4,Is new String immutable,stackoverflow.com +0,1390831018,6,From Java to Scala Tail Recursion,medium.com +1,1390830305,4,More Units with MoreUnit,codeaffine.com +10,1390830200,11,The new Java Streams API was a really bad name choice,self.java +1,1390816069,5,JVM JIT Compilation Overview Video,vimeo.com +4,1390814924,11,Practicing at the Cutting Edge Learning and Unlearning about Java Performance,infoq.com +16,1390809457,12,So this was my midnight program tonight how would you improve it,github.com +7,1390789376,17,How can I include a terminal in my java program restricted to a directory or custom filesystem,self.java +0,1390783643,5,Calling all DFW Java devs,self.java +0,1390772806,10,How to get an integer value from a dropdown menu,self.java +2,1390764692,29,Doing Codelab and stuck on a problem This is very beginner stuff and I m new to Java would someone be willing to help me out with this one,self.java +2,1390759107,5,A little help with GCJ,self.java +25,1390747408,4,Extrinsic vs intrinsic equality,blog.frankel.ch +21,1390743843,7,Running JUnit tests in parallel with Maven,weblogs.java.net +2,1390716034,10,How to Host your Java EE Application with Auto scaling,openshift.com +40,1390707101,6,Java 8 Date and Time API,youtube.com +0,1390691942,5,jar not working on mac,self.java +15,1390689497,13,Trouble with Java Webstart and Java 7u51 Here s a guide for you,sososoftware.blogspot.com +0,1390678712,10,This Is How I Imagine Exceptions Being Handled at Runtime,gph.is +13,1390667632,19,Learning java from the Java tutorials from oracle Any way to get them on my Kindle for reading anywhere,self.java +4,1390667361,17,What should be a development roadmap for a legacy Java Swing application for the next 5 years,self.java +12,1390663908,12,The la4j library release 0 4 9 sparse dense Java matrix library,la4j.blogspot.com +39,1390662213,9,20 very useful Java code snippets for Java Developers,viralpatel.net +19,1390649706,13,Introduction to JSR 310 Part 1 Overview of existing Date and Time API,java.amitph.com +0,1390637891,13,Please help me with this program I ve been stuck for 2 days,self.java +0,1390615697,9,I need you Java masters TAKE A LOOK INSIDE,self.java +5,1390607623,4,Memory Issues with LibGDX,self.java +0,1390606079,6,Is Wildfly 8 a game changer,colocationamerica.com +6,1390602536,3,Java server hosting,self.java +0,1390600955,31,I have ten days to brush up on my Java skills before an interview All I have done for 3 years is minor code changes What resource s would you recommend,self.java +3,1390595284,3,Generic method arguments,stackoverflow.com +9,1390593812,13,What s New in the JVM in Java SE 8 by Gil Tene,youtube.com +27,1390588096,4,Java interview question feedback,self.java +9,1390575974,4,question about java threads,self.java +5,1390567851,4,JVM Performance Magic Tricks,javacodegeeks.com +4,1390567599,7,Managing Java logs with logstash and Kibana,blog.progs.be +0,1390560939,2,Java problems,self.java +7,1390558637,8,JSR 356 Java API for WebSocket or Atmosphere,jaxenter.com +8,1390545269,17,I m creating an introduction to Java programming series inspired by the community and want your feedback,self.java +7,1390541578,9,Converting from json to Java within a Java program,self.java +5,1390535137,8,A question about how to develop frameworks libraries,self.java +2,1390519468,9,Need advice on designing mocking up a web service,self.java +5,1390510765,8,Simple gui toolkit for lwjgl or playn videogames,github.com +0,1390510316,11,Best Java book after Java for Dummies x posted to LearnProgramming,self.java +0,1390508907,6,Netty 4 0 15 Final released,netty.io +8,1390508310,9,Thread safe FIFO queues in Java over Generics types,self.java +0,1390506475,6,HttpComponents HttpClient 4 3 2 Released,mail-archives.apache.org +12,1390506177,7,TreeTable Sorting in upcoming PrimeFaces 5 0,blog.primefaces.org +7,1390504327,11,How can I define a standalone goal in Maven pom xml,self.java +6,1390500365,10,Where to get a certificate to sign my JavaFX app,self.java +1,1390496565,1,Scripting,self.java +4,1390491704,9,10 Reasons to Replace Your JSPs With FreeMarker Templates,blog.stackhunter.com +3,1390488736,8,Java Magazine Jan Feb 2014 published registr required,oraclejavamagazine-digital.com +0,1390488637,11,many concurrent reads 1 write cause ObjectNotFoundException due to ehcache why,stackoverflow.com +16,1390485260,6,Java security patch breaks Guava library,jaxenter.com +6,1390450521,3,CodeEval supports Java,codeeval.com +8,1390439030,10,How to implement desired functionality in JavaFX Background Socket Listener,self.java +25,1390438010,5,Stack amp Heap Java Programming,self.java +12,1390434068,3,Question about Immutability,self.java +6,1390426131,7,Book recommendations to learn Java for Android,self.java +3,1390424543,11,Practicing at the Cutting Edge Learning and Unlearning about Java Performance,infoq.com +0,1390420888,3,Help reinstalling java,self.java +2,1390418672,7,How much am I supposed to understand,self.java +2,1390410780,6,What is wrong 1 6 generics,self.java +3,1390407613,6,DataFlow or Pipeline library Framework recommendation,self.java +1,1390406299,7,The Top Java Memory Problems Part 1,apmblog.compuware.com +0,1390404861,6,How to compile java code dynamically,weblogs.java.net +17,1390401726,20,Interesting report on Java Build Tools Maven Gradle and Ant Ivy I wonder who will win least annoying build tool,zeroturnaround.com +0,1390401483,11,Java Memory Model Structures and causes for OutOfMemory Error Java Hash,javahash.com +0,1390401031,4,Multiple actionlisteners in JSF,stackoverflow.com +2,1390397939,6,Proof of Concept Using Spring Roo,keyholesoftware.com +103,1390385254,2,System exit,self.java +2,1390353184,4,Java to xls xlsx,self.java +4,1390343763,9,Why won t this extremely simple if statement work,self.java +13,1390328779,4,JBoss HornetQ and JCA,self.java +0,1390327104,18,M x shell and M x term don t play well with mvn test xpost from r emacs,reddit.com +14,1390326027,5,Is AES Cipher secure enough,self.java +5,1390322187,10,Does Java certification have a value on the job market,self.java +0,1390318163,7,SOLID Part 2 The Open Closed Principle,net.tutsplus.com +21,1390313112,3,JetBrains is hiring,blog.jetbrains.com +5,1390303554,12,What is so bad about static and how can I avoid it,self.java +0,1390301741,13,Is it me or is there something slightly odd about the Easymock logo,easymock.org +0,1390301711,6,Ajax Example with JSF 2 0,examples.javacodegeeks.com +2,1390273971,6,Pull model interface to the keyboard,self.java +105,1390265804,13,Notice Java 1 7 0 Update 51 is no longer compatible with Guava,code.google.com +0,1390260192,12,HELP Can someone tell me why this code gives me an error,self.java +0,1390255742,17,I just finished Beginning Programming with Java for Dummies and I am wondering where to go next,self.java +3,1390253882,10,ImageJ an image processing program widely used for scientific research,developer.imagej.net +3,1390241661,6,How can I bot my setup,self.java +3,1390240718,10,Ricston s experience of running Mule on a multitenant JVM,java.dzone.com +4,1390184152,12,Problems with tomcat embedded NoInitialContextException when trying to get a JDBC connection,self.java +5,1390182594,4,Question about advanced programming,self.java +1,1390181168,5,Setting up a photo array,self.java +3,1390172331,5,Question about calling static methods,self.java +41,1390171643,22,If you had to name 5 books that take you from being a java beginner to a pro what would they be,self.java +0,1390163664,7,High School Project need help with GUI,self.java +6,1390163633,5,LWJGL OpenGL scaling textures weirdly,self.java +5,1390159760,11,ANTLR 4 IDE can now export a syntax diagram to HTML,jknack.github.io +9,1390157151,10,What is a simple cool program to write in Java,self.java +5,1390156788,4,Java Starting class files,self.java +0,1390153006,4,WebJars and wro4j integration,blog.frankel.ch +1,1390149718,14,How do I stop the execution of a parent method within an execution stack,self.java +44,1390149121,10,JCommander An Alternative to Common CLI Apache 2 0 license,beust.com +8,1390143404,7,Automating JMeter tests with Maven and Jenkins,blog.codecentric.de +4,1390136579,9,What are Best Resources to Learn Java for Beginners,javatalk.org +7,1390124426,14,Why do I need to resize the frame for my images to be seen,self.java +0,1390115536,9,Using regex to hanging indent a paragraph in Java,blog.pengyifan.com +0,1390102567,2,JFrame help,self.java +0,1390098000,7,Need help on a Highschool project gui,self.java +10,1390092146,7,Coding can get quite lonely Context inside,self.java +9,1390080999,15,Are there any sample MVC projects out there that use a relational database for download,self.java +0,1390078087,17,ductilej A Java compiler plugin that turns Java into a mostly dynamically typed language Google Project Hosting,code.google.com +1,1390077173,17,I m trying to write some packages to use as a Framework and I have a question,self.java +0,1390074690,14,Is there a better alternative to BigInteger for java Especially for the operation modpow,self.java +1,1390068702,10,How to detect collision with pixels in a png file,self.java +1,1390058400,4,Java Queues Bad Practices,ashkrit.blogspot.sg +59,1390058160,7,Code faster with Intellij IDEA live templates,maciejwalkowiak.pl +9,1390056258,12,How fast can you learn spring and what resource is the best,self.java +11,1390052505,7,New to programming would love some suggestions,self.java +9,1390052480,5,MyBatis 3 Spring integration example,esofthead.com +5,1390052418,17,Java blocking applications with out giving me the option if I would like to run it anyways,self.java +0,1390040169,18,Now Don t Learn Just Small Programs Development Learn Real Life Software Development Online with online debugging facility,programsji.com +0,1390037704,6,Cannot play my game on Mac,self.java +1,1389999115,14,Apache Camel 2 11 3 Released ex Update to XML Security 1 5 6,camel.apache.org +0,1389996140,8,Coding techniques to avoid security exploits in Java,self.java +5,1389970931,10,How were the java util Collections optimized in Java 7,self.java +21,1389968330,8,Looking for fellow coding noobs to collaborate with,self.java +14,1389966855,14,What is the current status of JMX What are alternatives that are worth considering,self.java +1,1389958012,7,Need a little help with some basics,self.java +24,1389949155,7,Why is package private the default access,self.java +5,1389907885,11,Containers and application servers can someone help me with the terminology,self.java +0,1389902021,7,Coding question which should be very basic,self.java +16,1389897903,12,Java Blamed by Cisco for 91 percent of all Exploits in 2013,eweek.com +0,1389890853,6,Why won t my image display,self.java +5,1389890821,8,The top 5 features of NetBeans IDE 8,jaxenter.com +0,1389890358,10,Learn Java with LearnStreet s Java for Dummies Online Course,learnstreet.com +0,1389884799,12,Why Default or No Argument Constructor is Important in Java Class JavaRevisited,javarevisited.blogspot.com +74,1389881606,13,Java 7 update 51 has been released includes 36 security fixes Upgrade ASAP,oracle.com +0,1389880482,8,Where can I alter my Java security settings,self.java +7,1389876953,8,21 things about Synchronized and Synchronization in Java,javarevisited.blogspot.sg +17,1389860850,9,Shenandoah Red Hat s JEP for a pauseless collector,openjdk.java.net +2,1389855435,15,Is it a bad idea to use transaction in JDBC for executing single SQL statement,self.java +0,1389852786,10,Basic JAVA programming help I am a newbie to this,self.java +0,1389849854,7,What should be a simple JOption question,self.java +10,1389841193,14,Can someone guide me in creating a simple multi threaded program which uses locks,self.java +0,1389829854,7,HTTP server and socket on same port,self.java +0,1389829826,5,Anyone wanna help me out,self.java +0,1389799036,5,Dialog Box with multiple inputs,self.java +21,1389796173,6,The infamous sun misc Unsafe explained,mydailyjava.blogspot.no +8,1389768055,7,JavaEE Redirect user from HTTP to HTTPS,self.java +0,1389764630,4,Help with Java Assignment,self.java +10,1389760864,8,MQ Any comparison chart for correlationId vs messageId,self.java +0,1389760092,5,Why doesn t this work,self.java +0,1389749908,6,A little enquiry on my project,self.java +0,1389746267,4,Trouble using Maven JavaFX,self.java +0,1389737897,5,Help with first Java program,self.java +0,1389734886,3,Radicals in Java,self.java +7,1389734754,15,New security requirements for RIAs in 7u51 January 2014 Java Platform Group Product Management blog,blogs.oracle.com +5,1389731774,10,Automatically testing all possible states caused by pseudo random behaviour,babelfish.arc.nasa.gov +0,1389713204,13,X Post from r AskProgramming JButton setlocation only works inside my actionListener Help,self.java +2,1389712954,4,Incorporating a plugin framework,self.java +0,1389709293,6,Need help with a problem Diamonds,self.java +20,1389708474,9,I Don t Like Scala Bozho s tech blog,techblog.bozho.net +2,1389696565,11,Java Persistence Performance Objects vs Data and Filtering a JOIN FETCH,java-persistence-performance.blogspot.com +6,1389690672,6,JSF to become action based framework,weblogs.java.net +5,1389689683,13,Trying to generate reports in a PDF format Not sure where to start,self.java +0,1389664380,13,Anyone have a list of patches in Java patch day 2014 01 14,self.java +21,1389653915,10,Best book for experienced devs to touch up on Java,self.java +20,1389647549,4,OmniFaces 1 7 released,balusc.blogspot.com +0,1389645608,5,Is Java still worth learning,news.ycombinator.com +19,1389628778,5,Fluent Interfaces Yea or Nay,self.java +0,1389622338,7,Spring XD 1 0 0 M5 Released,spring.io +3,1389616483,9,Java EE 7 collection of resources by Abhishek Gupta,javaee7.zeef.com +1,1389607448,10,Adding an object to an array of objects at constructor,self.java +5,1389605988,15,Batch writing and dynamic vs parametrized SQL through JDBC How well does your database perform,java-persistence-performance.blogspot.ch +0,1389582169,9,Java How to streamline returning hard coded array values,self.java +0,1389567749,9,Issues with a Java Based Program in Windows 8,self.java +17,1389565463,14,What are the best practices and best tools to make unit testing less painful,self.java +0,1389551205,12,Guava is an heavyweight library and I would like this to change,blog.frankel.ch +0,1389538294,5,How to use LMAX Disruptors,vijayrc.com +0,1389537314,9,I need help with J Unit testing on Eclipse,self.java +44,1389536791,3,Apache Commons Imaging,commons.apache.org +14,1389535503,7,ANN Apache Tomcat 7 0 50 released,tomcat.10.x6.nabble.com +0,1389468119,6,For those confusing Javascript with Java,self.java +24,1389456092,9,Java code for Permutation using Steinhaus Johnson Trotter algorithm,programminggeeks.com +0,1389449376,19,Does anyone know of a good website that lists pros and cons of all the data structures in java,self.java +2,1389446219,4,Structorizer Nassi Shneiderman diagram,structorizer.fisch.lu +10,1389446064,13,SubEtha SMTP is an easy to use server side SMTP library for Java,code.google.com +5,1389445817,4,Zopfli bindings for Java,github.com +21,1389444302,6,Jetty 9 1 1 v20140108 Released,jetty.4.x6.nabble.com +5,1389409648,9,How is switch over string implemented in Java 7,coolcoder.in +14,1389391139,15,Can someone point me in the direction of some well structured well commented github projects,self.java +4,1389386810,8,Tutorial web development with JSF Security Part I,blog.mueller-bruehl.de +0,1389385325,9,What s the easiest quickest way to learn java,self.java +2,1389384661,9,Integrate openCMS 9 w Facelets Back end app how,self.java +19,1389380273,9,Why does Java prohibit static fields in inner classes,self.java +2,1389372992,11,Silent World 2D Minecraft Like Game Made with Java Alpha Version,youtube.com +5,1389369375,9,CMD recognizing java but not recognizing javac Please help,self.java +0,1389360829,5,Getting started with JBoss Fuse,rawlingsj.blogspot.co.uk +3,1389356102,5,Algebraic Data Types for Java,github.com +62,1389341931,19,Why is it called both Java 1 6 and Java 6 Are these two things 100 the same thing,self.java +0,1389331195,3,MAW Text Encoding,self.java +3,1389327122,4,Clear terminal Screen linux,self.java +0,1389319516,2,Coding crazy,self.java +4,1389317097,14,How do you activate OS X s native fullscreen without using the arrow button,self.java +5,1389313043,7,How to make borderless fullscreen in java,self.java +7,1389304888,9,Interesting article about java still being a important skill,readwrite.com +0,1389298238,7,Friends Don t Let Friends Use Eclipse,slideshare.net +3,1389287369,10,Free java source codes to learn from and play with,self.java +4,1389283034,8,DripStat Java Performance Monitoring Service Realtime MMO Game,chrononsystems.com +2,1389272458,6,Java 7u45 Deployment Rule Set Question,self.java +2,1389240454,7,Any recommendations for a full development stack,self.java +3,1389239036,8,Should I still go for the OCPJP 6,self.java +0,1389228242,2,Android browser,self.java +4,1389226694,12,What do you guys think of IDE One online java editor compiler,ideone.com +0,1389225587,3,Spare time project,self.java +7,1389222623,6,Apache Commons Exec 1 2 Released,mail-archives.apache.org +5,1389218748,2,KeyStore Explorer,keystore-explorer.sourceforge.net +0,1389215840,1,DocFetcher,docfetcher.sourceforge.net +30,1389197981,7,JNI Performance Welcome to the dark side,normanmaurer.me +0,1389195921,6,Is a Java String really immutable,self.java +18,1389193484,4,GOing back to Java,oneofmanyworlds.blogspot.ca +12,1389186794,7,Useful JVM Flags Part 8 GC Logging,blog.codecentric.de +0,1389153904,2,Java Training,self.java +0,1389149035,4,Is java still useful,medium.com +0,1389137679,4,java text receiving program,self.java +7,1389130861,13,XFlat Lightweight embedded no sql object DB persisting objects to flat XML files,xflatdb.org +2,1389130598,8,JumpStart tutorial for the future Tapestry 5 4,jumpstart.doublenegative.com.au +1,1389130011,6,Open Wonderland collaborative 3D virtual worlds,openwonderland.org +35,1389129893,8,How do I stop being a Java newbie,self.java +0,1389129441,5,Apache JMeter 2 11 released,mail-archives.apache.org +0,1389129390,5,JOnAS 5 3 0 released,jonas.ow2.org +5,1389128405,4,Need to learn openGL,self.java +2,1389122838,8,Why do JUnit assertions behave like yoda conditions,self.java +1,1389117835,5,What should I improve on,self.java +0,1389110535,8,I m hating hibernate I need something easier,self.java +2,1389105708,12,Capacity Planning memory for real world JVM applications what do you do,waratek.com +53,1389101069,8,What Every Java Developer should know about String,javarevisited.blogspot.sg +1,1389100758,6,Java plugin not working with firefox,self.java +10,1389099003,10,Tips and tricks creating profile specific configuration files with Maven,petrikainulainen.net +11,1389096595,11,How applicable is Java in terms of the future of technology,self.java +0,1389092429,8,what is wrong with this piece of code,self.java +14,1389091940,11,Java bytecode hacking for fun and profit x post r programming,cory.li +0,1389085441,15,Trying to learn Java Stuck on loops Please can someone help me with this question,self.java +0,1389073478,6,Java vs C Memory Management Features,codexpi.com +0,1389070675,14,I am not getting any errors my window opens but no graphics show up,self.java +10,1389070132,9,Making a java game why is my rendering jumpy,self.java +22,1389044991,16,Is it possible to catch an exception then make it just run the try block again,self.java +8,1389037893,4,Multiplayer Game In Java,self.java +0,1389026028,10,Hey there searching for someone to help me out S,self.java +0,1389024218,5,Changing Scenes without using FXML,self.java +0,1389017832,10,Why is tomcat a Webserver and not an Application Server,blog.manupk.com +1,1389016959,11,Boon JSON in five minutes Faster Java JSON parsing and serialization,rick-hightower.blogspot.sg +0,1389012481,11,How to configure an SSL Certificate with Play Framework for https,poornerd.com +4,1389010318,10,Domain Integrity What s the best way to check it,codergears.com +27,1389005821,4,Using jOOQ with Spring,petrikainulainen.net +6,1389000754,13,Android port of the Firebird Jdbc driver Jaybird 2 2 4 is released,firebirdnews.org +2,1388983127,7,Has anyone here used Java Au Naturel,self.java +10,1388973802,13,Do you find Ant or Java s style of to be more natural,selikoff.net +6,1388966328,13,How is Head First Java 2nd Edition for an absolute beginner to Java,self.java +2,1388916676,10,1 Hour Speed Code Attempt Conway s Game of Life,youtube.com +84,1388900938,9,7 Ways to be a Better Programmer in 2014,programming.oreilly.com +2,1388900379,3,Going beyond Swing,self.java +4,1388890310,9,Looking for feedback on a concurrency framework I built,github.com +0,1388859087,15,Could somebody help me modify a simple app to allow for spaces in a String,self.java +12,1388841625,5,Apache Oltu OAuth protocol implementation,oltu.apache.org +3,1388841094,3,XWiki 5 3,xwiki.org +0,1388829597,7,Debug Your java Spring Jsp Programs online,programsji.com +4,1388825204,24,Do oracle make money from maintaining and updating Java If so how do they and why do they Besides a creating a kickass language,self.java +0,1388821795,5,Compile clojure to Objective C,github.com +15,1388789647,11,One of the earliest appearances of Duke Java s mascot 1992,youtu.be +0,1388778476,4,Help with a calculator,self.java +87,1388770249,4,Looking for Java Beginners,self.java +0,1388761422,4,Opinions about Apache Beehive,self.java +0,1388756994,7,Working with OS environment variables in Java,java-only.com +0,1388755952,7,why jdon Jdon is a Domain container,en.jdon.com +3,1388753920,11,JSF usage in the real world List of sites using JSF,wikis.oracle.com +4,1388752562,7,Java Colletions waste statistics from 500 apps,plumbr.eu +24,1388748743,3,Everything about GlassFish,glassfish.zeef.com +41,1388736575,5,Snake in under 30 minutes,youtube.com +15,1388725263,16,All Hibernate Framework topics at a place If you don t find the topic suggest it,hibernate-framework.zeef.com +5,1388702777,6,Question about objects and file reading,self.java +1,1388699628,9,Could somebody help me with using the split method,self.java +35,1388699088,11,auto complete in google and bing faster than eclipse and netbeans,self.java +29,1388681792,6,Apache Commons Lang 3 2 released,mail-archives.apache.org +19,1388680136,5,Embedding Jython in Java Applications,blog.smartbear.com +0,1388676241,4,Immutable Binary Search Trees,self.java +4,1388670287,13,Is an M S worth the time and effort for an aspiring programmer,self.java +0,1388621182,3,Saving Player information,self.java +0,1388601596,5,Java String to Array split,self.java +4,1388515598,11,Program that concatenates images of various resolution into one large wallpaper,self.java +0,1388510752,8,What do lines 4 and 5 do here,self.java +0,1388510219,7,Community Support Open Source Project Repository Hosting,issues.sonatype.org +1,1388500466,5,Problem running compound system commands,self.java +1,1388494041,12,Spring from the Trenches Invoking a Secured Method from a Scheduled Job,petrikainulainen.net +1,1388461275,11,What are some caching options with a low open file footprint,self.java +8,1388455573,12,Emacs eclim users What are your opinions x post from r emacs,self.java +41,1388445887,13,To try catch or not What every Java Developer must know about Exceptions,10kloc.wordpress.com +3,1388436906,6,Netty 4 0 13 Final released,netty.io +3,1388436761,7,HttpComponents Core 4 3 1 GA released,mail-archives.apache.org +1,1388435348,12,How do can I call a function on it s own thread,self.java +2,1388421301,8,Creating Zoomable User Interfaces Programs with Piccolo2D Framework,codejava.net +1,1388415887,5,Let s compare some IDEs,self.java +21,1388415171,6,Apache Ant 1 9 3 Released,mail-archives.apache.org +42,1388414402,5,Pong Speed Code 1 Hour,youtube.com +0,1388388568,7,Whats an easy game program in processing,self.java +16,1388359388,8,Three Cheers for JSF 2 2 Faces Flows,liferay.com +11,1388342880,6,Restful Web Services Netbeans and Glassfish,self.java +15,1388340027,10,Are there disadvantages to using static variables within static methods,self.java +10,1388326903,39,What is wrong with my java install I had to do a system repair and ever since my java is refusing to validate certificates I ve uninstalled and re installed several times any ideas on how to fix it,prntscr.com +9,1388298472,8,Single sign on with Sharepoint WSS 3 0,self.java +16,1388293572,7,BrainFuck in java More info in comments,filedropper.com +1,1388261115,6,How expensive is text file polling,self.java +1,1388258052,12,Java Graph libraries with good user interaction and a save export function,self.java +0,1388257200,9,Books for learning Java coming from a JavaScript background,self.java +62,1388252083,6,Typesafe database interaction with Java 8,benjiweber.co.uk +1,1388250261,3,Regular expression using,self.java +19,1388248442,3,Swing or JavaFX,self.java +0,1388213176,4,help with binary division,self.java +14,1388204340,7,A Tool Atlas for the Enterprise Developer,infoq.com +17,1388193209,4,Unreachable and Dead Code,self.java +1,1388180297,6,rotating object to face another object,self.java +13,1388171634,11,10 Most Commonly Asked Questions About Multi Threading For Java Developers,efytimes.com +0,1388170619,10,How to use Type safe dependency injection in Spring 3,coolcoder.in +6,1388164416,9,Is Java really a good tool for personal projects,self.java +4,1388162674,9,Test Driven Development TDD Best Practices Using Java Examples,technologyconversations.wordpress.com +0,1388155357,9,About Bauke Scholtz BalusC top SO Java JSF user,bauke-scholtz.zeef.com +4,1388147173,9,A mandatory cast to Object is kind of funny,gist.github.com +60,1388139483,7,Top 10 not so popular Eclipse Shortcuts,summa-tech.com +27,1388111923,6,Which IDE do you prefer Why,self.java +0,1388059942,20,Part 3 of 3 Synopsis of articles amp videos on Performance tuning JVM GC in Java Mechanical Sympathy et al,neomatrix369.wordpress.com +1,1388054440,12,Looking for a tool offering CLI for building testing running Java project,self.java +14,1388016577,20,Which would you recommend for storing things like levels for players YML XML or SQL x post from r bukkit,self.java +3,1387983585,7,Oracle Tunes Java s Internal String Representation,infoq.com +16,1387981704,4,Clarifications on JDBC transaction,self.java +0,1387968854,5,Building a jar file HELP,self.java +3,1387966706,12,Need some help thinking through the architecture of this simple ish project,self.java +16,1387953109,4,Java Graphics and GUI,self.java +4,1387951707,12,Books and other resources for learning to use Java for interactive graphics,self.java +0,1387924762,15,How to create using Eclipse JavaDocs that looks good My current approach is not working,blog.diniscruz.com +14,1387920314,13,What is the difference between one line if statements and regular if statements,self.java +6,1387900403,8,The OCJP exam scoring retaking the test etc,self.java +8,1387899795,5,Questions about the OCJP exam,self.java +13,1387851294,11,Looking to start Learning Java what book s should I get,self.java +2,1387836459,17,Is there a predefined method for checking if a variable value contains a particular character or integer,self.java +9,1387833147,13,New to Java What are best practice for XML building and query building,self.java +2,1387830491,9,Something inherently wrong with how I m doing this,self.java +13,1387824857,6,Why must interface methods be public,self.java +7,1387821624,2,Layout help,self.java +3,1387808365,10,Java 8 Tutorials Resource and Books to learn Lambda Experssions,javarevisited.blogspot.sg +0,1387807698,5,What is up with else,self.java +5,1387807519,6,Orika Spring Framework easy bean mapping,kenblair.net +64,1387782603,4,Java Programming Timelapse Pong,youtube.com +10,1387750650,11,Why are all the JavaFX built in layout managers so bad,self.java +0,1387747664,6,Netbeans Windows Clean and Build problems,self.java +3,1387731010,15,Complete wipe of computer what do you suggest to have downloaded when start off fresh,self.java +0,1387717574,21,Trying to add an EVIL bit to java lang String aka Java Taint Flag and the first one has been set,blog.diniscruz.com +29,1387714859,8,JBoss AS 8 WildFly 8 CR1 is released,wildfly.org +0,1387713975,9,A blog post about creating Spring beans for tests,self.java +1,1387711472,6,Newbie question about strings and syntax,self.java +9,1387711037,7,Be a better Developer An Annotation Nightmare,beabetterdeveloper.com +2,1387707034,6,Need help with handling race conditions,self.java +0,1387696487,10,What is Java History of Java how it all began,javatalk.org +0,1387696427,12,Is it possible to run use Eclipse IDE online browser using RAP,self.java +0,1387694131,5,Partition a List in Java,baeldung.com +31,1387682725,12,Java Developers of Reddit are there any other programming forums you use,self.java +3,1387680823,18,XStream Remote Code Execution exploit on code from Standard way to serialize and deserialize Objects with XStream article,blog.diniscruz.com +13,1387667649,6,Why does my thread close automatically,self.java +1,1387643306,5,Ideas for a java project,self.java +6,1387627438,9,Any java conf s like javaone but less expensive,self.java +39,1387605861,10,Best way to expand java learning and get some skills,self.java +2,1387592654,4,GUI and other things,self.java +20,1387560484,16,New to Java working through short exercises Could someone please explain a result of this code,self.java +14,1387552956,5,Java Object Mapping with Orika,viaboxxsystems.de +11,1387548537,5,RAP 2 2 is available,eclipsesource.com +10,1387548501,4,Beginner Question about constructors,self.java +10,1387501275,3,JMS and JBoss,self.java +5,1387497946,20,Part 2 of 3 Synopsis of articles amp videos on Performance tuning JVM GC in Java Mechanical Sympathy et al,neomatrix369.wordpress.com +2,1387495678,14,What is the best book to get my dad for beginning to learn java,self.java +23,1387493859,11,What is a feature that the Java Standard Library desperately needs,self.java +0,1387493805,5,Help With Simple File Input,self.java +16,1387492223,7,Apache Sirona simple but extensible monitoring solution,sirona.incubator.apache.org +7,1387490864,10,Inter thread communications in Java at the speed of light,infoq.com +8,1387490460,9,Apache Mavibot 1 0 0 M3 released MVCC BTree,directory.apache.org +7,1387463371,6,Write concurrent Java tests with HavaRunne,lauri.lehmijoki.net +13,1387459733,6,RMI usage triggering regular Full GC,plumbr.eu +0,1387451019,6,AND and OR Operators in Java,self.java +0,1387446905,7,Banking system using hashMap and linked list,self.java +0,1387417329,13,Will learning JavaScript online hurt me from learning Java from a college course,self.java +1,1387404106,20,Part 1 of 3 Synopsis of articles amp videos on Performance tuning JVM GC in Java Mechanical Sympathy et al,neomatrix369.wordpress.com +1,1387369459,7,Yes you can do that in Maven,adamldavis.com +4,1387366205,21,Can anyone help me figure out how to check if an input is a number if the input is a String,self.java +0,1387361087,3,Chess Piece Help,self.java +40,1387338451,8,Coffee With Dessert Java And The Raspberry Pi,m.electronicdesign.com +9,1387308397,17,Does anyone know of a library framework that allows you to get a screengrab of a webpage,self.java +0,1387289961,4,JavaScript for Java developers,schneide.wordpress.com +32,1387272886,9,Hibernate 4 3 0 released JPA 2 1 certified,in.relation.to +7,1387237547,12,How would I go about creating an executable file for my program,self.java +2,1387160031,13,Eclipse and JDK trouble First couldn t find it now exit code 13,self.java +1,1387129508,15,Calculating probability from parameter estimates from a regression equation x post from learnprogramming and stackoverflow,self.java +62,1387118518,6,5 Facts about the Java String,codeproject.com +2,1387110785,8,Exercises and answers for threads synchronization and concurrency,self.java +6,1387079600,14,What are the best places to get practice program ideas X Post r learnjava,self.java +7,1387064908,7,Tutorial Simple HTTP Request in Android Java,droidstack.com +0,1387057090,5,Help creating Hashmap of Arraylists,self.java +5,1387055839,14,Implementing a HashMap class with generics Getting value type V from solely an Object,self.java +3,1387052085,9,What are some of the pitfalls of the JVM,self.java +19,1387040571,14,Programmers of this subreddit what s the best way for me to learn Java,self.java +0,1386994862,12,An error occurred while processing your request Reference 97 b147da3f 1386994777 1beed97d,java.com +6,1386993376,7,Adding and Removing MouseListeners from a class,self.java +11,1386974728,3,Noob Android Development,self.java +27,1386964869,7,About PayPal s Node vs Java fight,developer-blog.cloudbees.com +31,1386958824,12,What s the better career choice Java EE 7 or Spring 4,self.java +6,1386951968,12,Broadleaf Continues to Choose The Spring Framework over EJB 3 Sept 2012,broadleafcommerce.com +6,1386947786,7,Benchmarking SPSC concurrent queues latency using JMH,psy-lob-saw.blogspot.com +53,1386935856,8,Spring Java framework springs forward despite Oracle challenge,m.infoworld.com +0,1386927987,4,JDBC Basics for presentation,self.java +0,1386917239,2,Term Project,self.java +7,1386906858,5,Welcome to the new JavaWorld,javaworld.com +1,1386903077,3,Simulating in Java,self.java +4,1386902379,6,Having a hard time with recursion,self.java +0,1386895565,8,Need help returning lowest date in Java 1,self.java +1,1386891813,15,Fix monitor contention when parsing doubles due to a static synchronized method using bootclasspath p,github.com +4,1386888187,6,Commons BeanUtils 1 9 0 Released,mail-archives.apache.org +36,1386881083,11,Spring 4 0 GA released today time to experiment with it,spring.io +14,1386868054,11,Anyone know how to have java read the crontab in linux,self.java +8,1386861709,18,Find out how to Virtualize Java and the Challenges faced compared to the virtualization of other machine specifications,waratek.com +2,1386858128,6,Strategies for managing a large image,self.java +3,1386852001,3,Measure not guess,javaadvent.com +29,1386833095,8,Java Advent Calendar Anatomy of a Java Decompiler,javaadvent.com +0,1386829723,6,How to use an API question,self.java +3,1386823402,10,Using invoke dynamic to teach the JVM a new language,jnthn.net +5,1386815811,6,java generics extending multiple class interfaces,self.java +41,1386796442,11,Where to go to keep up with new developments in Java,self.java +1,1386794965,7,Javadoc creation gives 9 errors line Help,self.java +5,1386783186,11,Java Programmers One month head start enough to help a noob,self.java +2,1386772633,8,Enable CDI when bundling an overriding JSF version,weblogs.java.net +0,1386771571,5,Learning Apache Maven 3 Video,self.java +8,1386759187,7,Struts 2 3 16 GA release available,struts.apache.org +0,1386737017,13,What s the black console window that everyone seems to use to code,self.java +5,1386714088,7,Confused about a review question final tomorrow,self.java +15,1386701674,6,Java 8 for the Really Impatient,weblogs.java.net +0,1386699250,12,Apples and Oranges The Highlights of Eclipse IntelliJ IDEA and NetBeans IDE,parleys.com +0,1386698738,10,Java Only Working with basic file attributes in Java 7,java-only.com +1,1386697259,10,A Lesser Known Java 8 Feature Generalized Target Type Inference,java.dzone.com +51,1386688603,7,Jetbrains changes IntelliJ IDEA Personal Licensing Model,blog.jetbrains.com +1,1386671683,7,Time Overlap Check in Java Using BitSet,technoesis.net +0,1386664500,8,Help with front end wev dev in Java,self.java +2,1386657570,9,Where can I find a general tutorial on eclipse,self.java +50,1386626270,6,Apache Commons Collections 4 0 released,mail-archives.apache.org +11,1386626222,6,Apache Commons Pool 2 0 released,mail-archives.apache.org +6,1386625789,2,Java RMI,self.java +3,1386624915,9,Private constructor issue with Serialization of third party class,self.java +0,1386623995,6,What are the commonly expected Methods,self.java +8,1386622956,8,tempFile delete returns true but the files remain,self.java +4,1386605663,10,Addison Wesley Signature Series sale this week 50 off ebooks,informit.com +17,1386596292,10,Alexey Ragozin HotSpot JVM garbage collection options cheat sheet v3,blog.ragozin.info +5,1386593773,5,Framework for GANTT like charts,self.java +16,1386567643,15,Open source project plans to fork chromium bring java vm to the browser client side,upliink.aero +2,1386567432,15,The Firebird JDBC team is happy to announce the release of Jaybird 2 2 4,firebirdnews.org +8,1386549058,5,App to code on Android,self.java +0,1386541683,19,JAVA EXPERTS Help me kind of sort of finagle my FINAL EXAM for my intro to JAVA college course,self.java +22,1386521474,17,An overview of Apache Karaf a lightweight OSGi container by introducing its main components and overall architecture,developmentor.blogspot.com +8,1386503381,6,GC Tuning With Intel Performance Counters,javaadvent.com +27,1386490991,9,A print method that provides it source code line,self.java +0,1386439725,6,A month of Apache Tapestry 5,indiegogo.com +27,1386422984,5,Bouncy Castle Release 1 50,bouncycastle.org +16,1386422727,6,Spring WebSockets and Jetty 9 1,java.dzone.com +0,1386396433,52,I am really finding it difficult to understand Command and Observer Design Pattern Can someone explain me the complete flow with an example from end to end i am referring the link below but don t get it why we have so many classes and what is role of each in practical,newthinktank.com +0,1386376602,6,ELI5 Difference between classes and interfaces,self.java +0,1386357040,4,Connect 4 computer AI,self.java +0,1386353009,3,Java vs C,self.java +8,1386348605,6,Learning Java quick about IDE s,self.java +5,1386347380,19,Is 8 3 x 2 3 Math pow 8 3 java lang Math sqrt x 2 3 in Java,self.java +5,1386340923,4,Good JavaFX 2 layout,self.java +2,1386329475,8,Java template engine like Razor and Play templates,rythmengine.org +48,1386324008,3,JHipster home page,jhipster.github.io +0,1386312521,12,What is Java History of Java how it all began Java Talk,javatalk.org +5,1386306827,3,Semantic logging libraries,self.java +1,1386299871,3,Regarding Code Efficency,self.java +4,1386293491,3,R java help,self.java +47,1386282589,27,InnerBuilder an IntelliJ IDEA plugin that adds a Builder action to the Generate menu Alt Insert which generates an inner builder class as described in Effective Java,github.com +2,1386279171,18,Find optimal combination of flights to get from one place to another using a graph xpost r programminghelp,self.java +2,1386273527,4,How to test null,self.java +5,1386272504,11,Spring Why can t you just give me the Jar files,self.java +0,1386271119,6,Help with JCreator 5 00 Centering,self.java +2,1386259263,10,How can I hide INFO messages from org apache sshd,self.java +0,1386255923,6,Scala 1 Would Not Program Again,overwatering.org +15,1386253863,15,What is the Java server side response to HTML5 and jQuery like client side frameworks,self.java +0,1386244531,9,BEST JAVA IDE for JAVA Programming Language Java Talk,javatalk.org +7,1386212395,2,GUI applications,self.java +2,1386210139,9,Trouble with eclipse swt library on 32 bit JVM,self.java +1,1386208678,12,Help with Creating a My Anime List application for a final project,self.java +5,1386200651,3,preprocessing java ftw,gist.github.com +32,1386175431,5,Core Java 7 Change Log,java-performance.info +6,1386169280,9,Trisha Gee Design is a process not an artefact,jaxenter.com +1,1386154254,6,Hierarchical finite state machine for Java,github.com +2,1386147459,7,Java2Days 2013 Modern workflows for JavaScript integration,blog.mitemitreski.com +48,1386140075,9,Should Swing be deprecated to force use of JavaFX,weblogs.java.net +0,1386103389,7,Who uses null values in a list,self.java +0,1386096747,21,What is the correct way to use if statements i e How does having two else statements not overwrite one another,self.java +5,1386093370,4,Java compiler in java,self.java +0,1386090121,10,How to output the SUM of your name in Java,self.java +73,1386084025,3,IntelliJ IDEA 13,jetbrains.com +2,1386044537,15,Have you used any open source Java e commerce software Which one would you recommend,self.java +3,1386037900,27,Help I m making a class that uses different sorting algorithms on an array but the original array changes and ruins the sorting for the subsequent algorithms,self.java +0,1386036860,4,Tic tac toe GUI,self.java +18,1386018681,10,Best practice for many quick and short lived TCP Sockets,self.java +4,1386018166,10,A lite MSAccess mdb export tool Jackess Wrapper pure Java,github.com +1,1386014519,11,How to hide INFO level log output from org apache ftpserver,self.java +29,1386006389,4,Good algorithms book suggestions,self.java +1,1386005948,13,Create a simple RESTful service with vert x 2 0 RxJava and mongoDB,smartjava.org +0,1386004565,7,Help with making enemies disappear Android Game,self.java +3,1385999600,5,Java Game with Window Builder,self.java +40,1385996202,4,Current Java Web Stacks,self.java +13,1385981291,4,Collection of Hibernate links,hibernate-framework.zeef.com +6,1385963953,10,Any books you reccomend for a next to complete beginner,self.java +11,1385954063,4,Generic Data Access Objects,community.jboss.org +15,1385920677,6,Solr as a Spring Data module,blog.frankel.ch +0,1385916023,2,Java AutoUpdater,self.java +2,1385855237,11,x post javafx adding a date to a table via observablelist,self.java +2,1385850095,8,Can someone explain groupSum from CodingBat to me,self.java +6,1385842196,18,Do you always call certain variables by the same name If so what names do you normally use,self.java +321,1385807026,7,IntelliJ really has some hard working inspections,imgur.com +15,1385733045,6,Getting started with Spring Data Solr,mscharhag.com +0,1385731959,6,I have a problem with Java,self.java +0,1385717985,6,How to write Production quality code,javarevisited.blogspot.sg +6,1385693832,6,Interesting easy to learn java libraries,self.java +0,1385682982,5,Need help hashsets and deduplication,self.java +3,1385678063,10,Implementing the in Mapper Combiner for Performance Gains in Hadoop,dbtsai.com +3,1385673774,3,Unreachable statement Why,self.java +59,1385655184,9,Paypal Switches from Java to JavaScript for Production Applications,paypal-engineering.com +0,1385649681,10,Best Countries to Work and Live in as a Developer,blog.splinter.me +4,1385648614,13,Regex Help How to split a string with multiple back to back delimiters,self.java +8,1385646787,8,View UMLet diagrams inside GitHub with Chrome Extension,chrome.google.com +0,1385630627,11,I could use some help with a java problem for homework,self.java +0,1385627886,16,Fetching website s source code after x seconds page loads ie chat using JSoup or other,self.java +0,1385598095,5,I keep getting this error,self.java +3,1385592349,6,Am I marketable with the JVM,self.java +5,1385590121,6,Good libraries to get exposed to,self.java +15,1385588916,12,Java EE examples amp tests now a top level org on GitHub,blog.arungupta.me +4,1385585668,6,Strange String issues in JVM languages,sites.google.com +0,1385578899,13,Would 3 x 2 3 2 3 x 2 3 2 in java,self.java +5,1385575845,10,How do I register scp as a valid URL protocol,self.java +0,1385574924,8,How does this part of the code work,self.java +0,1385551732,3,coding the IoT,blogs.oracle.com +4,1385550507,15,GitHub s 10 000 most Popular Java Projects Here are The Top Libraries They Use,takipiblog.com +0,1385530864,17,Jdon is a java opensource reactive framework use to build your Domain Driven Design CQRS EventSourcing applications,github.com +0,1385526377,7,Quick question about creating new class types,self.java +0,1385514813,4,Question Answer MIDTERM EXAM,youtube.com +73,1385508694,7,What DON T you like about Java,self.java +0,1385494292,7,Help me printing out a directory tree,self.java +2,1385491168,4,Catching up Java knowledge,self.java +0,1385475404,15,Can somebody please help me with Math pow and specifically raising to the power of,self.java +3,1385470437,6,Time intervals and repetitions with Java,self.java +2,1385458316,7,Just got an interview for Java Developer,self.java +4,1385437851,6,Pseudo random number function in Java,self.java +3,1385413719,13,Teaching myself Java Having issues de serializing an array from a file Java,self.java +0,1385401167,6,What is giving me these errors,i.imgur.com +1,1385392870,5,Java SE 7 Programmer I,self.java +12,1385387611,6,6 Differences between Java and Scala,javarevisited.blogspot.com +28,1385380964,8,AOT compiler Excelsior JET pay what you can,self.java +0,1385373341,1,Hybernate,self.java +10,1385350694,7,YAML JSON Parsing for settings configuration file,self.java +7,1385349060,6,Help with a random number generator,self.java +8,1385331187,6,Making a round grid world help,self.java +9,1385307344,7,Who of you uses JNI and why,self.java +17,1385305971,4,Spreading some JavaFX love,blog.frankel.ch +20,1385289110,7,Is Effective Java 1st Edition still relevant,self.java +0,1385267975,5,Need help with a program,self.java +40,1385267931,6,Google Guava s Bloom Filter Tutorial,codingjunkie.net +4,1385267791,16,Interesting Woodstox STAX Tutorial Including Comparison With DOM Based XML Parser With Full Sample Source Code,developerfusion.com +3,1385261278,13,Comparing the Lotus Notes Domino and Sharepoint as platforms for Rapid Application Development,self.java +0,1385219682,11,Changes to String internal representation made in Java 1 7 0_06,java-performance.info +0,1385187442,5,Echoing all values in bean,self.java +0,1385178060,6,Asynchronous Java database and Play Framework,self.java +0,1385155219,7,Can A Java Class Constructor Be Private,sribasu.com +2,1385153592,9,Implementing a DFA in Java without using reg expression,self.java +4,1385147767,23,Looking to develop for small businesses such as trading companies and retail businesses Wondering how I should prepare myself More in the description,self.java +13,1385136179,4,International Base64 Encoding Confusion,self.java +30,1385107150,9,Has anybody been using the JDK 8 Early Release,self.java +0,1385106328,12,Is there a Java library for interacting with the Ebay Shopping API,self.java +3,1385100494,5,Learning Java coming from Python,self.java +0,1385094710,19,Hopefully this is a simple question how do I update components in a JPanel instead of add remove them,self.java +0,1385077863,13,If statements not registering as false when they should am I being stupid,self.java +0,1385070176,7,I need help for my java project,self.java +0,1385064766,10,Need help finding the correct command for a Modding Project,self.java +0,1385063537,12,Lightweight HTTP FTP servers for use with JUnit tests and ClassLoader files,self.java +31,1385062802,6,Pretty good java 8 lambda tutorial,dreamsyssoft.com +0,1385060115,4,New free dns service,self.java +59,1385030691,9,New backdoor worm found attacking websites running Apache Tomcat,arstechnica.com +0,1385019559,4,I am Learning Java,self.java +0,1385007551,8,Need help deciding on a simple ish project,self.java +0,1385004650,6,Need help with the Point class,self.java +0,1385001271,8,Need help converting json into ArrayList using GSON,self.java +0,1384993377,6,Formatting a Gui interface in java,self.java +10,1384956409,11,Day 22 Developing Single Page Applications with Spring MongoDB and AngularJS,openshift.com +0,1384950353,10,Cache vs In Memory Data Grid vs In Memory Database,dzone.com +65,1384940484,9,Poison Null Byte and The Importance of Security Updates,blog.c2b2.co.uk +0,1384929058,8,QUESTION What JVM languages has the best ecosystem,self.java +0,1384923792,30,Please help My least common multiple method seems to be missing a return statement but I m sure I ve put one Does anyone know what I m doing wrong,self.java +1,1384916193,5,Discovering Corporate Open Source Contributions,garysieling.com +0,1384911306,7,Removing duplicates from a double linked list,self.java +4,1384907812,5,Need help with strange SSLHandshakeException,self.java +2,1384905926,6,Best performance monitoring tools for Tomcat,self.java +5,1384897513,6,Having trouble with random Integer Arrays,self.java +1,1384889778,10,Is it possible to see the code behind an app,self.java +0,1384886637,9,Got a problem with my bouncing ball help Please,self.java +0,1384883213,6,jd gui best Java Decompiler ever,self.java +6,1384880127,8,Questions about Java SE 7 Programmer I Cert,self.java +0,1384869957,2,Spring Loaded,self.java +10,1384869183,7,Trove High Performance Collection Library LGPL License,trove.starlight-systems.com +38,1384868777,7,Memory Efficient Java Tutorial Direct PDF Link,cs.virginia.edu +25,1384865079,4,Profiling and memory handling,self.java +3,1384841995,27,My Friend says my code is really messy what do you guys think and how could i improve it to make it easier to read for people,pastebin.com +0,1384830496,10,ELI5 how to impliment persistance on a simple java program,self.java +5,1384815996,7,Notes from Java EE meetup at Devoxx,blog.arungupta.me +1,1384795583,7,Best Headless alternatives to Java WebStart JNLP,self.java +0,1384793287,4,Make printer form feed,self.java +59,1384788363,25,TIL Oracle changed the internal String representation in Java 7 Update 6 increasing the running time of the substring method from constant to N programming,reddit.com +6,1384787985,7,This Great Library Need More Attention op4j,op4j.org +0,1384787196,7,JAVA Tutorials and Example with Source Code,javatutorialsource.blogspot.com +17,1384786261,10,JRE 7 is the only thing in my path variable,self.java +5,1384786187,15,If anyone is familiar with the JDBM BTree interface I could use a little help,self.java +0,1384783698,12,How to use Intellij idea Live templates to make your life easy,lankavitharana.blogspot.sg +0,1384776358,6,Need help reading from txt file,self.java +0,1384766087,11,Having some issues with Java Homework could really use some help,self.java +0,1384755904,12,Having an arrayindexoutofbounds problem in eclipse not sure how to solve it,self.java +0,1384738360,21,Need help writing a method that will take in an integer parameter and return an integer array filled with random numbers,self.java +4,1384737489,7,How do i make my program standalone,self.java +40,1384733631,22,All java based games minecraft 8bit mmo etc have been displaying font this way What happened and how do I fix it,i.imgur.com +5,1384731102,7,What is the purpose of an Interface,self.java +0,1384728318,11,I need some help understanding the problem I need to build,self.java +0,1384723016,5,Allow user to name object,self.java +0,1384716554,8,Is setting the classpath as a property portable,self.java +0,1384713530,13,Using JSF 2 2 features to develop ajax scrollable lazy loading data table,dwuysan.wordpress.com +0,1384704485,6,Allow user to set object name,self.java +3,1384693774,7,Turning Assertions Into a Domain Specific Language,petrikainulainen.net +21,1384687844,15,Java 8 Lambda Expressions and the Psychology of the Masters of the Universe devoxx style,ileriseviye.wordpress.com +6,1384665415,8,Another day another Java menace Ceylon has landed,jaxenter.com +30,1384638589,8,When to use Java and when to not,self.java +0,1384627118,37,Hey guys so Im trying to make a recursive method that finds the minimum value in an array and returns it But im having some trouble with my code When executing it just returns 0 Any suggestions,self.java +38,1384622389,11,R in Java FastR an implementation of the R language scribd,oracle.com +11,1384609153,10,Can java be used to make a video editor app,self.java +8,1384583031,8,Day 18 BoilerPipe Article Extraction for Java Developers,openshift.com +0,1384579111,3,3d game tutorial,self.java +6,1384561774,7,What Java EE Book would you recommend,self.java +22,1384543698,12,Ents a new Entity Component Model View Controller game library for Java,self.java +0,1384543173,9,Looking for some starter projects to help me learn,self.java +9,1384540643,8,Get a REPL On Your Current Java Project,joeygibson.com +23,1384532649,31,I just posted this to a request for advice on becoming a Java developer in r Austin anything I missed or messed up I don t want to lead anyone astray,self.java +17,1384525177,17,Juergen Hoeller Co founder of the Spring Framework Spring eXchange Keynote Spring 4 on Java 8 Video,skillsmatter.com +0,1384521576,4,Java Application with DB,self.java +1,1384501961,13,Should I use an embedded web server or deploy to a standalone server,self.java +4,1384498002,17,Day 17 JBoss Forge Build and Deploy Java EE 6 AngularJS Applications using JBoss Forge and OpenShift,openshift.com +16,1384464879,14,Google open sourced AutoValue an immutable value type code generation for Java 1 6,docs.google.com +0,1384452140,14,Java beginner stuck amp feel like I m so close to figuring it out,self.java +37,1384450454,8,Create charts in Excel using Java Apache POI,programming-free.com +6,1384440283,32,My company just announced a 5 3M investment We use Java machine learning and game theory to predict what will interest people We re based in Austin TX and we re hiring,self.java +0,1384434745,9,Need help with coding on Khan Academy Java base,self.java +33,1384419158,5,Ceylon 1 0 0 released,ceylon-lang.org +1,1384408405,6,JavaFX Problem with Oracle FXML Example,self.java +8,1384391399,7,Difference between Static and Non Static Methods,self.java +0,1384375593,12,Easy way to integrate SPICE circuit simulator into JAVA without OS dependencies,self.java +38,1384374638,9,Repository of Java 8 source code examples for learning,github.com +6,1384371831,10,My first major accomplishment been coding for about three months,self.java +14,1384354385,21,Can JavaFX be compiled to HTML5 JS Or is it a competitor to Flash in an era where Flash is dying,self.java +0,1384354212,5,import awt is not working,self.java +2,1384351224,23,Mac using 10 6 8 seems unable to use Java in both Chrome amp Safari but insists that it is up to date,self.java +0,1384342031,11,Newbie seeking help with probably a simple problem unique to me,self.java +20,1384337960,14,First OpenJDK OpenJFX 8 App finally found its way to the Mac App Store,mihosoft.eu +3,1384325213,11,So i finished my 1st java program that actual does something,self.java +17,1384321620,5,IntelliJ 13 preview now available,blog.jetbrains.com +1,1384309677,6,Java tool to browse Windows shares,self.java +0,1384302972,9,Help with a type of syntax for arrays substrings,self.java +9,1384298033,5,syso like shortcuts on Eclipse,self.java +8,1384291113,21,Is it bad practice to use interfaces as a way to store constants even if it s for only two classes,self.java +0,1384290259,13,Minecraft Make Your Own Mod Part 1 Introduction and Java Setup How To,youtube.com +8,1384289787,6,What s up with the Factories,self.java +0,1384287994,5,Java Algorithms question need help,self.java +0,1384284530,7,Adding a jPanel GUI to a jPanel,self.java +2,1384272663,5,How does Math random work,self.java +2,1384269204,6,Lambdas for Fluent and Stable APIs,blog.thesoftwarecraft.com +78,1384250464,9,AMD charts a path to Java on the GPU,semiaccurate.com +0,1384243005,4,Need help ASAP please,self.java +3,1384234547,9,Day 13 Dropwizard The Awesome Java REST Server Stack,openshift.com +0,1384226318,3,User Defined Exceptions,self.java +11,1384217510,15,I am stuck in programming I really don t know where to go from here,self.java +15,1384214892,42,I need help understanding what exactly the spring framework is used for I have read about it a bit and I understand the concepts of AOP and IOC But a little more explanation with respect to real world examples would be awesome,self.java +7,1384202100,5,Code convention for spring annotations,self.java +6,1384158827,13,BQueue A Single Producer Consumer queue alternative interesting near empty full queue handling,psy-lob-saw.blogspot.com +17,1384152677,8,Day 12 OpenCV Face Detection for Java Developers,openshift.com +0,1384146827,7,Where should I start my unit tests,self.java +0,1384140170,6,SwitchMap error after decompiling jar file,stackoverflow.com +42,1384136855,20,Forbes wrote an article about r java and u kristler after his shining example of the Socratic method of teaching,forbes.com +1,1384128536,7,Creating an ssl connection using a p12,self.java +55,1384126877,16,Do you think Java will still be a dominant programming language in a decade In two,self.java +0,1384124919,2,Swing help,self.java +1,1384120187,3,Question about serializable,self.java +3,1384119949,7,Book review Getting Started with Google Guava,blog.mitemitreski.com +7,1384114132,8,Desktop app that connects with a weather site,self.java +0,1384111864,3,10 method program,self.java +11,1384110313,4,IBM witdraws Geronimo support,www-01.ibm.com +25,1384089425,3,Strange Graphics Bug,imgur.com +17,1384052585,3,Java to Arduino,self.java +6,1384034920,7,Create a JSF flow programmatically using annotations,weblogs.java.net +0,1384014409,9,A Java geek Integrate Spring JavaConfig with legacy configuration,blog.frankel.ch +24,1384013214,6,Learning the history of Java Platform,self.java +0,1383996724,8,Need help with my first simple java program,self.java +0,1383982538,6,Need help installing and running java,self.java +0,1383979967,27,Taking a CS class made a program in which you play rock paper scissors vs the computer How d I do and what improvements could I make,self.java +2,1383979452,9,Day 11 AeroGear Push Server Push Notifications Made Easy,openshift.com +0,1383974356,12,Help with a normal and reverse binary search on an array list,self.java +0,1383959913,6,Help with this simple GPA Calculator,self.java +0,1383946836,17,Q What is the simplest way to save High Score to a file and read it later,self.java +0,1383941796,10,Step by step install Apache Tomcat in Amazon EC2 instance,excelsior-usa.com +5,1383940919,5,Suggestions for good Java resources,self.java +0,1383940162,17,Does there exist an automatic HTML table generator that does the row counting wrapping logic for you,self.java +0,1383938950,3,Web Application Container,self.java +73,1383938179,5,Popular Coding Convention on Github,sideeffect.kr +0,1383931092,14,How to search and find the current contents of an array for a number,self.java +9,1383925201,5,20 Java unit testing framework,ssiddique.info +17,1383924638,6,NetBeans warning about If Else statements,self.java +1,1383924288,7,Tips for witching from Eclipse to IntelliJ,self.java +11,1383918511,7,Java Should I assert or throw AssertionError,flowstopper.org +33,1383918048,17,Informal Poll What Frameworks and Servers do you use to build your Java web application at work,self.java +6,1383912094,6,Accessing Google Calendar using their API,self.java +4,1383905286,9,How to gather information to support remote J2EE applications,self.java +0,1383880969,9,Help with basic Java programming in Dr Java Urgent,self.java +0,1383880876,10,Good and bad books for OCAJP 7 Exam 1Z0 803,codejava.net +0,1383872839,8,Help with a little program editing amp compiling,self.java +0,1383871491,11,How can I import my own graphics to a Snake game,self.java +0,1383870633,5,Regex and print formatting notation,self.java +0,1383867695,11,Rounding up or down based on which perfect square is closer,self.java +0,1383866084,11,Problems with compressor code for robotics don t really know java,self.java +0,1383862230,6,Having trouble with arrays university assignment,self.java +0,1383848048,10,New to Java trying to accomplish a simple switch code,self.java +11,1383843192,9,R I P GlassFish Thanks for all the fish,blog.eisele.net +10,1383840226,7,Trouble connecting to MS SQL Server Database,i.imgur.com +79,1383838809,5,5 Useful Hidden Eclipse Features,tech.pro +4,1383816348,2,Stateless JSF,weblogs.java.net +4,1383804180,9,How to identify AWT component names in running applet,self.java +621,1383798569,9,Changing the color of a bug based on direction,self.java +4,1383771806,7,SAP Integration with Red Hat JBoss Technologies,de.slideshare.net +0,1383766365,5,New to Java need help,self.java +0,1383756292,4,Sin x Program homework,self.java +0,1383752328,3,GUI help netbeans,self.java +9,1383749731,6,Connecting to Eclipse Kepler OSGi Console,digizol.com +2,1383746631,7,What does read timeout means in URLConnection,self.java +0,1383733420,3,Switch Case help,self.java +15,1383731654,16,Q How are real time updates achieved on a HTML front end with an MVC backend,self.java +7,1383703951,9,Help With Managed Images and OSX Xpost r javagamedev,self.java +18,1383682404,14,My company is going to pay for my Java courses Which is your favorite,self.java +2,1383671891,16,Does anyone have any experience invoking TestNG programmatically within java running only a single test method,self.java +2,1383660427,11,What is your go to resource for java tuts news etc,self.java +0,1383654527,9,Help with Java Not getting the answers I need,self.java +4,1383635072,8,Java toString the Program Logic vs Debug Dilemma,flowstopper.org +0,1383624968,7,How to install javadb in 64bit OS,self.java +0,1383616301,5,Estudo de Java Para iniciantes,arruda.blog.br +15,1383614895,3,Stateful JAX RS,self.java +29,1383590512,8,No more commercial support from Oracle for GlassFish,blogs.oracle.com +13,1383588541,13,Is there anyway to re inject data into a method for rapid testing,self.java +26,1383584236,14,How can I scan my java code for fields yet to be javadoc ed,self.java +0,1383582982,2,Pastebin Scraper,self.java +2,1383579738,11,Day 6 Grails Rapid JVM Web Development with Grails And OpenShift,whyjava.wordpress.com +1,1383575847,9,Desktop Java Server Side Java Embedded Java Informal Poll,self.java +12,1383557877,6,Spring Framework 4 0 RC1 released,spring.io +0,1383557180,4,My case against autowiring,blog.frankel.ch +50,1383538245,10,HikariCP New JDBC Connection Pool blows doors off the competition,brettwooldridge.github.io +1,1383526335,6,Accessing localhost SQL database with Netbeans,self.java +20,1383520538,10,The difference between doing a job and getting a job,self.java +12,1383510992,6,WebLogic 12c Does WebSockets Getting Started,blog.c2b2.co.uk +8,1383490821,16,Trying to improve my best practices Care to critique a short two classes program I wrote,self.java +7,1383484747,11,Firebird Java driver Jaybird 2 3 will become Jaybird 3 0,firebirdnews.org +1,1383424031,8,Java 8 Lambdas in Action First chapter free,manning.com +3,1383422465,7,Is anyone here developing for Adobe CQ5,self.java +23,1383412165,5,Java tutorial for beginners Introduction,javatutorialbeginner.blogspot.com +0,1383408121,3,Java help requested,imgur.com +0,1383385319,9,Need help with a CS 110 Connect 4 project,self.java +0,1383350694,8,Java noob help me improve this code please,self.java +0,1383343644,5,Migrate your ManagedProperty to annotations,weblogs.java.net +0,1383340513,6,How would I search for this,self.java +0,1383334495,2,Java tutorial,self.java +0,1383333841,2,Learning BIRT,self.java +0,1383314960,8,Help for me and those mobile java programmers,self.java +0,1383312974,6,D mystifier les iteratees avec Java,infoq.com +11,1383309659,7,Discovering Senior Developers From Source Code History,garysieling.com +0,1383298167,13,How to specify null value in MS Access through the JDBC ODBC bridge,stackoverflow.com +108,1383292435,13,Watch out for these 10 common pitfalls of experienced Java developers amp architects,zeroturnaround.com +1,1383279481,10,Starting a new Java app with Spring MVC Stop me,self.java +4,1383236109,5,Less verbose alternative to Maven,self.java +14,1383223742,8,How to cache component rendering in JSF example,byteslounge.com +0,1383217800,4,Help on Java JSF,self.java +8,1383212537,8,Migrate your JSF ManagedBean to CDI Named annotations,weblogs.java.net +0,1383195125,10,Scanner based program to remove comments trying to use useDelimiter,self.java +0,1383180485,6,Java redirect to download updated plugin,self.java +3,1383176081,10,Project JAdventure Looking for a project to get involved in,self.java +0,1383173031,5,help with java letter counting,self.java +0,1383163849,8,Core Java JPA Hibernate Spring Youtube Video Channel,hubberspot.com +1,1383159529,7,Scanner reads uc285 as end of line,self.java +15,1383159051,15,Is it common for JVM to complain of heap errors when you spawn 100 threads,self.java +0,1383150858,4,The IoT takes flight,jaxenter.com +0,1383136741,6,synchronized vs ReentrantLock in java threading,guruzon.com +1,1383102904,6,Having some troubles with this program,self.java +7,1383096786,12,Strange problem with JDK 1 7 0_45 on Mac OS X Maverick,self.java +0,1383086574,7,Databen ch JVM Persistence Benchmark Round 2,databen.ch +10,1383086365,8,Disabling all EJB timers in Java EE 6,jdevelopment.nl +17,1383080775,20,Tutorial Designing and Implementing a Web Application with Spring we ve had no end of questions on this topic lately,spring.io +10,1383077764,3,Working with PDFs,self.java +4,1383069411,6,Lesser known concurrent classes Part 1,normanmaurer.me +5,1383064810,8,Java Swing in 2013 Is it worth it,java.dzone.com +0,1383060745,32,Would it be easy to reuse Jersey s JAX RS Routing capabilities I am looking to make a JAX RS implementation for Finagle and would prefer to not have to rewrite everything,self.java +3,1383054042,6,Help with Connect 4 in Greenfoot,self.java +0,1383021746,3,Help with pseudocode,self.java +0,1383018718,12,Yahoo games and unsigned applications warning Not overly important just wondering something,self.java +0,1383012278,5,help with basic java strings,self.java +0,1383008298,2,Joyce Farrell,self.java +0,1382996419,16,Help with polymorphism For some reason I can t get the instance variables of the superclass,self.java +0,1382992141,10,Lady Java YouTube Something funny I ran across on Youtube,youtube.com +3,1382989872,20,A simple and easy Java Performance API that allows single and multi thread benchmarking with assertions what do you think,github.com +2,1382975455,6,Hibernate Bidirectional OneToOne primary key association,fruzenshtein.com +0,1382968943,8,Spring Make your java based configuration more elegant,fruzenshtein.com +0,1382936255,10,How to Make a Java Virus Just a little fun,youtube.com +0,1382917177,11,I m really interested in learning but starting is so confusing,self.java +2,1382900333,6,Of running multiple regexp at once,fulmicoton.com +15,1382891062,7,Java EE 7 JSR 166 Concurrency Utilities,en.kodcu.com +0,1382886316,4,Needing help with Java,self.java +19,1382885809,18,If you could only buy one book to learn as much Java as possible what would it be,self.java +0,1382840178,9,Making a char by removing spaces from another char,self.java +15,1382824148,5,Howto overwrite static final field,self.java +26,1382785638,10,JavaOne 2013 Roundup Java 8 is Revolutionary Java is back,infoq.com +0,1382770640,11,Problem with Program can someone help a new java coder out,self.java +0,1382765322,5,Java Help for a noob,self.java +0,1382760095,7,Need help with exception handling in swing,self.java +47,1382750957,22,If I were hired at your place of work as a java developer what might my first week of work be like,self.java +0,1382745100,2,Immediate Help,self.java +0,1382739450,2,coding help,self.java +0,1382730760,5,Need beginner java question answered,self.java +0,1382729294,7,Flapi A fluent API generator for Java,github.com +4,1382725115,9,How do I install Java SE 6 in Mavericks,self.java +2,1382722011,7,Java and XML Based Neural Net Suite,github.com +6,1382705889,9,Book to learn EJB on not so basic level,self.java +12,1382695879,6,a atay ivici of PrimeFaces interview,devrates.com +6,1382676922,14,How can I write to a javax sound sampled SourceDataLine without blocking or polling,self.java +0,1382674452,8,Explain JPA Java Persistence API and its Architecture,youtube.com +0,1382671682,13,I want to know what r java thinks of this program I wrote,self.java +0,1382665891,4,What s the difference,self.java +0,1382664772,5,Fixing basic code for homework,self.java +0,1382662526,1,jQuery,plugins.jquery.com +0,1382645826,3,Need some advice,self.java +0,1382641269,2,JFrame error,self.java +7,1382640823,8,How to remove included resources in JSF example,byteslounge.com +0,1382636116,14,Java being blocked at work What does this mean sorry for the idiotic question,self.java +0,1382635015,7,How You Helped Shape Java EE 7,blogs.oracle.com +0,1382629803,5,Simple array for loop issue,self.java +1,1382621043,6,The road ahead for WebLogic 12c,technology.amis.nl +0,1382619761,19,Not sure if this is the right place but I need help with a program that I am writing,self.java +11,1382596750,3,Web App frameworks,self.java +0,1382580739,8,Swing component not sure how to create this,self.java +0,1382574346,7,Need help converting png to int please,self.java +0,1382568544,3,help por favor,self.java +0,1382567137,7,Rock Paper Scissors program in Java 1,self.java +0,1382560618,11,Here are some tutorials if you are trying to learn Java,youtube.com +3,1382542012,17,Why Can t Johnny Read Urls Request for comments on a URL library in Java xpost programming,gist.github.com +28,1382534621,8,We don t have time for code reviews,blog.8thcolor.com +0,1382534516,10,Getting Started with method security in Grails using Spring Security,mscharhag.com +2,1382532931,23,OOP Has A relationship has my mind swimming Details with POC working code inside just want to make sure I m not stupid,self.java +0,1382521115,6,Trying to understand System out printf,self.java +1,1382500550,6,Need help with Git on NetBeans,self.java +1,1382500388,10,Learning programming at home using Java Any books you recommend,self.java +0,1382496265,17,Why wont one piece of code work in netBeans but it work perfectly fine in Eclipse Keplar,self.java +0,1382490510,2,Weird error,self.java +0,1382470048,13,Can anyone point me to an example of an attractive desktop Java app,self.java +0,1382467526,14,Popping Tag libs From my co worker s wall while removing old custom taglibs,imgur.com +1,1382462434,4,eli5 java file constructor,self.java +0,1382451161,11,Why should you use Unchecked exceptions over Checked exceptions in Java,jyops.blogspot.in +1,1382446062,7,A Boon to Java Development introducing Boon,rick-hightower.blogspot.sg +2,1382442921,14,Exclusive interview with Hans Dockter ahead of his keynote at the Gradle eXchange 2013,skillsmatterblog.wordpress.com +2,1382437443,3,Demystifying ThreadLocal variables,plumbr.eu +5,1382419764,4,Java 1 6 REPL,javarepl.com +1,1382403621,7,Is there anything wrong with this practice,self.java +3,1382402688,3,Best Java applications,self.java +48,1382400794,8,Is Java the right language to learn first,self.java +0,1382400214,13,How to print the first and second digit of a two digit number,self.java +0,1382396565,15,How to insert a variable entity into the html code from my java server code,self.java +0,1382391082,5,5 Song MP3 Player Problems,self.java +0,1382387735,13,REST JaxB Validating parameters Can someone help point me in the right direction,self.java +2,1382385020,12,Can i be good at Java without a degree in Computer Science,self.java +7,1382380146,9,How can I statically add elements to a Map,self.java +0,1382376253,5,What makes a great developer,beabetterdeveloper.com +2,1382343276,7,A failed experiment improving the Builder pattern,branchandbound.net +5,1382340841,19,Multi Producer Single Consumer Queues From 2M ops sec 6 producers ABQ to 50Mops sec lock free MPSC backoff,psy-lob-saw.blogspot.com +0,1382336478,10,Dear Java Stop alt tabbing me from games to update,self.java +6,1382334990,14,Anyway to automatically prepare a static variable that can t just be trivially initialized,self.java +0,1382320719,3,Basics on iteration,self.java +2,1382315685,10,Annoying issue trying to remove line feeds from XML SAX,self.java +0,1382310020,7,Code for updating a value every minute,self.java +4,1382291418,5,Why embed javascript in java,self.java +47,1382288701,7,You Thought You Knew About Java Performance,nerds-central.blogspot.com +0,1382264738,13,Cannot get junit to work in eclipse after upgrade to windows 8 1,stackoverflow.com +9,1382254256,7,Brian Goetz Survey on Java erasure reification,surveymonkey.com +6,1382249852,7,Looking for advice doing a VoIP project,self.java +0,1382232834,5,JDK 7 will not uninstall,self.java +0,1382231745,8,HW Help Coding a simple interface calculator class,self.java +0,1382212766,9,Why is it so hard to find Java talent,ensode.net +0,1382197153,7,Alternative to Oracle Java for the browser,self.java +27,1382195649,9,JHades Your way our way out of Jar Hell,jhades.org +31,1382191919,9,Oracle releases 127 security fixes 51 for Java alone,nakedsecurity.sophos.com +5,1382179310,8,PrimeFaces Extensions drag and drop feature in Timeline,ovaraksin.blogspot.com +13,1382177610,21,I wrote up a small example that shows how to use the FileSystem URL Reader Pattern Objects InputStream URL URI etc,rick-hightower.blogspot.com +14,1382137540,6,JEUS application server The story continues,arjan-tijms.blogspot.com +2,1382136607,9,Meta Can we have a monthly job posting thread,self.java +0,1382130338,8,HIRING ENFOS is looking for Java Software Engineers,enfos.com +0,1382129541,5,Wanted Java developers to be,infoworld.com +2,1382129098,7,Hibernate Facts The importance of fetch strategy,vladmihalcea.wordpress.com +0,1382112388,2,Method Parameters,self.java +0,1382109772,14,How can I configure maven antrun plugin to print out the command it runs,self.java +5,1382101501,10,JPA Criteria API By Example x post from r JPA,altuure.com +26,1382093067,10,RESTful Webservices made easy with spring data rest An Introduction,beabetterdeveloper.com +0,1382067172,5,Need Java Help for class,self.java +0,1382061810,4,Adding JPanels to JFrames,self.java +7,1382057906,5,JRE not updating Mac OSX,self.java +2,1382056950,25,I have a friend who insists on using Terminal the built in OSX app to program in Java How can I convince him not to,self.java +0,1382038874,3,Java Developer Position,linkedin.com +0,1382030716,10,Custom error pages for expired conversations involving CDI and JSF,jaitechwriteups.blogspot.com +0,1382029621,9,Add Some Entropy and Random Numbers to Your JVM,tech.pro +18,1382023886,11,The most popular Java EE 7 technologies according to ZEEF users,arjan-tijms.blogspot.com +0,1382020642,10,Why are my class files smaller under linux than windows,self.java +1,1382020456,26,Is there a way to continue to use java jre 1 7 0_25 Since update 45 cane out with a new security baseline it s blocked,self.java +0,1382016348,2,Overloading variables,self.java +0,1382015061,3,Java Digital Signature,self.java +7,1382011084,11,How to handle many many objects without running out of memory,self.java +20,1381996683,9,Which features would you love to see in Java,self.java +0,1381991793,6,What has happened to Spring MVC,self.java +2,1381991221,9,Java resources tutorials for experienced programmers in other languages,self.java +1,1381985388,17,Is it correct to use a volatile Void field to enforce a consistent view of global memory,self.java +21,1381984667,36,YSK JIVE interactive execution environment for eclipse You can manually step forwards AND BACKWARDS through a program s execution while it syncs the code position sequence diagrams object diagrams AND console output It s gloriously helpful,cse.buffalo.edu +0,1381977580,18,If I wanted to learn to code where would I start and how would I go about learning,self.java +0,1381966381,4,object oriented design questin,self.java +14,1381959682,4,Semantic diffing Java code,codicesoftware.blogspot.com +3,1381959084,2,Lexicographical Order,self.java +0,1381955438,9,Explain Java Class Loaders Java Interview Questions and Answers,youtube.com +12,1381955423,14,A more efficient way of moving an array of C strings into Java space,self.java +2,1381951298,11,Free Java Devroom Call for Papers now open for FOSDEM 2014,wiki.debian.org +0,1381947770,5,Please help me with java,self.java +39,1381934173,4,NetBeans 7 4 released,netbeans.org +0,1381930034,3,question about error,self.java +66,1381907897,7,Hilarious job posting for a Java developer,i.imgur.com +7,1381900885,15,JDBC lint helps Java programmers write correct and efficient code when using the JDBC API,github.com +38,1381894447,7,1000 Responses to Java Is Not Dying,drdobbs.com +19,1381875220,9,Please explain the relationship between OpenJDK Oracle and HotSpot,self.java +9,1381873454,7,Oracle Critical Patch Update Advisory October 2013,oracle.com +0,1381871313,6,Assistance needed for small project questions,self.java +0,1381863662,4,Boost your development speed,beabetterdeveloper.com +0,1381856828,3,hey help please,self.java +9,1381853961,9,Best ways to learn about multi threading and concurrency,self.java +0,1381851102,3,Self teaching Java,self.java +6,1381847732,8,Best place to assist in self teaching Java,self.java +15,1381830613,11,Why is my code running significantly faster on an older machine,self.java +0,1381821909,5,PrimeFaces 4 0 1 released,blog.primefaces.org +2,1381819235,13,Help with error Could not open create prefs root node Software JavaSoft Prefs,self.java +5,1381810232,18,What does the Java certification exam cover and would 2 classes on it be enough to pass it,self.java +0,1381806420,7,Error in my queue simulator Need Help,self.java +0,1381788380,4,some help if possible,self.java +2,1381784768,14,How are you designing your Java web architecture to include more client side libraries,self.java +21,1381782732,9,The Resurgence of Apache and the Rise of Eclipse,insightfullogic.com +2,1381762813,10,Just started learning java need help with classes and methods,self.java +3,1381762365,13,In a Maven project how can I configure JUnit to show error traces,self.java +27,1381734484,12,Hitting 400M TPS between threads in Java using a lock free queue,psy-lob-saw.blogspot.com +2,1381732426,7,Issues with multi project maven Java project,self.java +33,1381723871,12,What kinds of skills does a Java programmer need for a job,self.java +1,1381698184,3,Why the hate,self.java +4,1381695662,11,What learning sources print or online best cover idiomatic Java practices,self.java +0,1381673044,3,Need some help,self.java +8,1381666819,4,Java update mirror broken,self.java +2,1381655660,20,Would like to learn about a practical implementation of CDI Context and dependency injection in Java EE in real life,self.java +1,1381652620,15,Changing the displayed value of a button after clicking on it from a java bean,self.java +0,1381619947,23,Fun with genetic algorithms image generation using GA inspired by the Alsing Mona Lisa blog post r java tell me what you think,self.java +24,1381616700,5,Is Java a hard language,self.java +0,1381608131,8,Using the Very Unsupported Java Flight Recorder API,hirt.se +8,1381604087,14,JBoss 8 next State of the Union starring Wildfly it s new ModularServiceContainer heart,reddit.com +0,1381594217,13,Help on a small piece of code question Not sure if right place,self.java +0,1381579715,15,Remember the good old days when we were newbies Can I combine Java and SQL,stackoverflow.com +2,1381536522,10,Beginner Java student looking to branch out into Android development,self.java +2,1381527427,9,Batch Jobs and CDI Quartz ExecutorService etc And BatchEE,kildeen.com +48,1381514332,6,How Java Programmers Feel in 2013,discursive.com +1,1381467953,9,Can anyone help me make this method more efficient,self.java +0,1381465481,19,Are there other options than using nested ifs or switch case for evaluating a number and returning a string,self.java +0,1381463922,11,What do I do with the class file I ve created,self.java +0,1381450057,3,Java homework help,self.java +50,1381420030,13,10 Reasons Why Java Rocks More Than Ever Part 2 The Core API,zeroturnaround.com +0,1381416736,6,Is Java JNI in JEE possible,self.java +5,1381416564,9,Will Java 8 IO input streams feature boolean isClosed,self.java +11,1381391165,7,CodeCache is full Compiler has been disabled,blogs.atlassian.com +0,1381366319,40,Hi Me and a friend over the summer decided to open up a Youtube channel teaching people how to code This is my first Java tutorial mind giving me some tips om how to improve myself Than s so much,youtube.com +0,1381355378,10,Hey new to Java i have a question about Threads,self.java +0,1381352498,13,Just started university thrown in at the deep end with Java Crapping myself,self.java +12,1381345413,21,Ask r Java What Java Profilers do you use Is there any text books on techniques or advanced tools and methods,self.java +1,1381339752,3,OutOfMemoryError or Swapping,self.java +108,1381336777,9,If Java Is Dying It Sure Looks Awfully Healthy,drdobbs.com +0,1381335992,10,Can anyone figure out the encryption algorithm my encrypter uses,self.java +16,1381331105,5,Java Auto Unboxing Gotcha Beware,tech.pro +3,1381329582,9,Why JSF 2 0 Hides Exceptions When Using AJAX,beyondjava.net +0,1381316868,7,How to remove this Java from Firefox,imgur.com +0,1381312618,3,Change origin oval,self.java +0,1381304833,11,I want to delete string and ints from a text file,self.java +6,1381290299,7,Enterprise App Multiple WAR vs single WAR,self.java +12,1381262226,8,Goodbye Redeployment spring loaded a free jrebel alternative,babdev.blogspot.co.at +5,1381254387,7,Can someone please explain Logging to me,self.java +10,1381241259,5,How relevant are application server,self.java +36,1381232748,12,sun misc Unsafe could migrate to a public API in Java 9,mail.openjdk.java.net +3,1381215529,13,Is It Time For Semantic HTML 5 For JSF In Java EE 8,adam-bien.com +4,1381206082,14,Install Oracle Java 7 in Ubuntu via PPA Repository Web Upd8 Ubuntu Linux blog,webupd8.org +0,1381199071,6,Options for wrapping 3rd party classes,self.java +2,1381198549,2,MJPEG streaming,self.java +39,1381198022,11,Well I guess LGA arrival departures does Java and Windows 7,i.imgur.com +0,1381189956,5,Output to a text file,self.java +0,1381182943,10,Beginner checkup 2 Any critique for this code Completed homework,self.java +0,1381176147,8,I have a question about a compareTo method,self.java +0,1381172855,19,Is there a way to list variables that are in scope based on the current highlighted line in Eclipse,self.java +0,1381171902,10,How to use Javadoc Comments in Java program for Documentation,youtube.com +0,1381159884,11,Executing a exe or w e linux uses from a jar,self.java +0,1381146941,4,Result is not correct,self.java +68,1381131840,14,10 Reasons Why Java Now Rocks More Than Ever Part 1 The Java Compiler,zeroturnaround.com +10,1381104815,11,What is the significance of the words Big Java Late Objects,self.java +0,1381102992,6,Is downloadjava us a malware site,self.java +0,1381074769,9,How to query Environment Variables through a Java Program,youtube.com +13,1381065482,9,JavaFX has no accessibility support What are my options,self.java +0,1381054143,10,How to Install Java JDK and Set Environment Variables Path,youtube.com +6,1381036235,8,How can I improve this nonblocking binary semaphore,self.java +1,1381020686,3,double a5 10,self.java +4,1381020242,3,New to this,self.java +0,1381000566,16,The method paintComponent Graphics in the type JComponent is not applicable for the arguments Graphics Error,self.java +13,1380998374,13,OmniFaces 1 6 1 and why CDI doesn t work well in EARs,balusc.blogspot.com +0,1380983785,5,Maven is broken by design,blog.ltgt.net +31,1380977309,5,Huge collection of Spring resources,springframework.zeef.com +0,1380934036,16,Iterate an array replace int with first number that is not equal to that int Help,self.java +6,1380923149,9,PrimeFaces 4 released What s new with PrimeFaces Push,jfarcand.wordpress.com +6,1380923044,4,PrimeFaces 4 0 released,blog.primefaces.org +0,1380915878,10,Is there a open source discussion platform implemented in java,self.java +0,1380909175,14,Is there any tool that moves multiple java files into one big java file,self.java +0,1380897400,5,Kick off the programming game,self.java +0,1380880132,5,Jsoup cant Login on Page,self.java +0,1380844541,4,Login in https page,self.java +0,1380840629,5,Help with a simple code,self.java +5,1380836931,13,Is there a modeling studio that can export animations as working Java code,self.java +9,1380836354,10,Reflections on JavaOne 2013 by the NetBeans Community Part 1,netbeans.dzone.com +14,1380829936,9,Friendly reminder about Integer int nulls and autoboxing unboxing,self.java +0,1380819621,13,How can I mimic Java 7 s switching on strings in Java 6,self.java +0,1380817088,13,Stack Overflow is a question and answer site for professional and enthusiast programmers,stackoverflow.com +0,1380805795,19,A question for Java developers If life is like a Java program then what are emotions dreams sexuality ect,self.java +5,1380786323,8,Unable to combine pipeline with transaction using Jedis,self.java +0,1380758759,3,How to Subtract,self.java +6,1380747743,14,Can JavaFX Scene Builder generate a UI wherein panes are repopulated with different components,self.java +0,1380738243,4,Problem using Clip class,self.java +0,1380737516,2,Need suggestion,self.java +0,1380728580,15,Can anyone help me with a code tiny error I think just newish to Java,self.java +39,1380703364,8,Devoxx 2012 made all 180 presentations freely available,parleys.com +0,1380693016,5,Need help with program ASAP,self.java +0,1380688602,5,Learning Java Looking for help,self.java +15,1380663769,10,can i learn java the same way i learned python,self.java +0,1380648965,15,mvn install install file Dfile x jar failing to read the jar s pom xml,self.java +24,1380642615,12,The la4j Linear Algebra for Java 0 4 5 has been released,la4j.blogspot.ru +0,1380624007,4,Need help with methods,self.java +0,1380623187,6,Java2Scala Converts Java code to Scala,java2scala.in +7,1380594221,6,How to begin working with frameworks,self.java +5,1380579367,4,JavaOne 2013 trip report,branchandbound.net +0,1380577807,8,Why does my program print out even numbers,self.java +0,1380574050,9,How to solve this in Java using for Loops,i.imgur.com +39,1380570239,16,If there is one Java library that you need to start using today this is it,projectlombok.org +0,1380554676,14,How do I check if an array has the same value as another array,self.java +0,1380524997,20,Just finished a school project and would like some feedback Primarily deals with updating a 2D Array with random ints,self.java +0,1380501003,4,need 3d programming help,self.java +0,1380497098,9,Brand new to java Looking for ideas for class,self.java +46,1380488210,10,What is the best open source code you have seen,self.java +13,1380481938,7,Best place and ways to learn java,self.java +0,1380469953,11,I am seriously lost with my if else lab Please help,self.java +0,1380457371,9,Go Agile Java Development with Spring to Maximize ROI,javascriptstyle.com +0,1380400916,9,HIRING a Java Team Leader and 2 Java Developers,self.java +0,1380397112,15,In which order should Java be learnt and what excercises for Java do you recommend,self.java +0,1380395992,4,I Need Some Advice,self.java +0,1380395008,4,Java Meme Wrapper Class,i.imgur.com +0,1380391137,7,Java Beginner Project Looking for a partner,self.java +0,1380387995,2,Textbook help,self.java +28,1380373481,7,Eclipse 4 3 SR1 again silently released,jdevelopment.nl +0,1380349215,15,Trying to place 2 values on an array border that aren t on the corners,self.java +0,1380313557,4,help with simple error,self.java +4,1380309618,5,Definding message structures in Java,self.java +10,1380303511,14,Somewhat fresh to Online Java trying to expand my portfolios Would love some ideas,self.java +16,1380297383,4,Java to Scala converter,javatoscala.com +2,1380259486,11,Just released Firebird JDBC driver Jaybird 2 2 4 SNAPSHOT version,firebirdnews.org +3,1380259032,4,Java Video Tutorial Ideas,self.java +0,1380236638,4,Help out a Newbie,self.java +0,1380235343,10,Looking for advice on how to improve my program code,self.java +0,1380227748,5,Looking for Java collections practice,self.java +0,1380219352,8,Beginning java programming What are some good resources,self.java +0,1380208918,9,New subreddits about Reactive Programming and Dataflow in general,self.java +18,1380205995,8,Hunting Memory Leaks in Java Deciphering the OutOfMemoryError,toptal.com +0,1380203989,5,Help configuring checkstyle Maven plugin,self.java +0,1380197766,7,Silly question but what is in java,self.java +0,1380112531,12,Vice president of engineering at Twitter talks about Java and the jvm,wired.com +53,1380112452,6,Java8 The Good Parts JavaOne 2013,java.dzone.com +5,1380110691,8,Diving into the unknown the JEUS application server,arjan-tijms.blogspot.com +0,1380089322,7,One more error Pretty sure Help please,self.java +0,1380088525,3,Debugging help please,self.java +0,1380072086,3,Anagram Java Program,self.java +0,1380067153,17,Beginner checkup Any advice for this completed code Just some things I had to do for homework,self.java +0,1380064212,10,Null pointer Exception while trying to sort an class array,self.java +6,1380062203,8,Java Comparable consistent with equals reversible SortedSet related,self.java +0,1380051910,5,AP Computer Science Test help,self.java +42,1380050419,8,12 Things Java Developers Should Know About Scala,alvinalexander.com +6,1380047849,7,The Java Fluent API Designer Crash Course,tech.pro +0,1380046062,23,If you re wondering why astroturfers spam r java lately click on Oracle s price list and search for Java SE Advanced PDF,oracle.com +15,1380044250,5,GPU Acceleration Coming to Java,blogs.nvidia.com +1,1380035012,8,How to Write Your Own Java Scala Debugger,takipiblog.com +6,1380033183,9,Project Avatar ServerSide JS on JVM is Open Source,blogs.oracle.com +0,1380031745,22,How can I Xlint most of my code in a Maven project while ignoring certain generated java code e g from Thrift,self.java +34,1380031742,8,The HotSpot VM is Removing the Permanent Generation,openjdk.java.net +0,1380028519,8,Build and Parse ISO Message using JPOS library,zeeshanakhter.com +0,1380023941,10,Building Modern Web Sites A Story of Scalability and Availability,infoq.com +26,1379988507,14,I think I have a bad Data Structures teacher Should I drop the course,self.java +0,1379979584,10,Java Exploits Seen as Huge Menace So Far This Year,self.java +3,1379975388,3,Alternatives to GWT,self.java +0,1379967023,11,I got this message the other day what does it mean,self.java +5,1379954180,8,Low Overhead Method Profiling with Java Mission Control,hirt.se +3,1379953985,5,Native Memory Tracking in 7u40,hirt.se +16,1379930773,4,JavaOne 2013 NetBeans Day,blog.idrsolutions.com +6,1379920601,9,Diving into Cache Coherency and it s performance implications,psy-lob-saw.blogspot.com +0,1379895100,21,How can I convert from an integer to a long but treat the integer as if it s an unsigned value,self.java +0,1379894041,5,Begginner Bank Account program question,self.java +0,1379888744,2,overloading question,self.java +0,1379881115,5,Help me understand exception handling,self.java +7,1379826195,12,How often are little wrapper methods like this used for method overloading,self.java +0,1379823969,3,Problem Comparing Integers,self.java +5,1379810974,6,Simple Boolean Expression Manipulation in Java,bpodgursky.wordpress.com +1,1379803223,7,Injecting spring beans into non managed objects,kubrynski.com +2,1379789985,13,Processing on Disorient s Pyramid at Burning Man x post from r processing,davidshimel.com +8,1379788370,9,Session replication clustering failover with Tomcat Part 1 Overview,tandraschko.blogspot.se +5,1379723066,4,Redditors going to JavaOne,self.java +1,1379690385,5,Rebuilding a Linux Java App,self.java +0,1379676826,4,Design Patterns in Java,latest-tutorial.pakifreelancer.com +6,1379676180,6,NetBeans 7 4 RC1 Now Available,netbeans.org +42,1379653527,6,State of the Lambda final version,cr.openjdk.java.net +3,1379628468,8,First RoboVM app accepted on iOS App Store,badlogicgames.com +0,1379624303,18,How can I save and send a java file to someone who plans on running it on cmd,self.java +11,1379623261,8,OmniFaces goes CDI with its 1 6 release,balusc.blogspot.com +0,1379619871,8,Java 8 What s New Series Milestone 4,musingsofameaneringmind.wordpress.com +2,1379612277,12,How to implement feature toggles for web applications deployed on multiple servers,self.java +0,1379608866,12,Dependency Injection Is it possible to inject a private static final field,self.java +0,1379607817,18,Why am I getting a NullPointerException when I try to write an object to a Mockito mocked ObjectOutputStream,self.java +4,1379598766,8,TmaxSoft JEUS 8 Now Java EE 7 Compatible,blogs.oracle.com +46,1379578957,4,Introduction to Java multitenancy,ibm.com +0,1379578644,6,How do I make a class,self.java +25,1379556640,10,IO trace generation in java experimenting with sun misc IoTrace,axtaxt.wordpress.com +0,1379554006,6,Help with rock paper scissors game,self.java +0,1379542582,3,Change Calculator help,self.java +0,1379535670,11,Not familiar with the problem that just started happening please help,self.java +0,1379513625,11,How to determine active users sessions in a Java Web Application,hubberspot.com +0,1379507664,19,New to java programming I can t get this palindrome recognition program to work Can you offer some help,self.java +48,1379501022,11,Chart showing lines of code vs time spent reading and editing,fagblogg.mesan.no +0,1379484421,13,Looking for tutorials for basic Java and libGDX individually on Unix no IDE,self.java +0,1379466305,4,I really need help,self.java +12,1379464485,13,Arjan Tijms and Bauke Scholtz BalusC Talk About OmniFaces and Building zeef com,jsfcentral.com +0,1379460534,3,Java vs NodeJS,self.java +40,1379458075,9,Beginnings of raw4j the Reddit API Wrapper for Java,self.java +4,1379446285,5,Patch management of my application,self.java +0,1379445671,3,First time Java,self.java +0,1379439784,9,Java 8 whats new series milestone 2 and 3,musingsofameaneringmind.wordpress.com +0,1379423537,6,How to use Map in Java,latest-tutorial.pakifreelancer.com +26,1379372791,11,A modern JIRA instance finally up amp running for the JDK,mail.openjdk.java.net +0,1379354141,4,RDRAND library in Java,software.intel.com +0,1379352583,13,Do any free collections libraries offer a non blocking callback style semaphore implementation,self.java +24,1379348147,7,RESTX a fast lightweight Java REST framework,restx.io +0,1379342078,5,Good Tutorial for some beginners,self.java +0,1379326591,8,Java 8 What s new series Milestone 1,musingsofameaneringmind.wordpress.com +9,1379311409,7,Develop iOS Apps in Java with RoboVM,robovm.org +59,1379275568,5,Filmed talks from JavaZone 2013,vimeo.com +2,1379271948,8,Struktur A skeleton starter template for JavaFX applications,bitbucket.org +8,1379231859,5,JSF 2 2 Flow Calls,en.kodcu.com +0,1379227992,9,How can I portable spawn a new JVM instance,self.java +6,1379182573,4,Mavenizing the Flex SDK,anthonywhitford.blogspot.com +12,1379122377,15,TurnItIn originality checker catches academic plagiarists by indexing the web also has a Java SDK,turnitin.com +0,1379110418,8,Why isn t my program returning a result,self.java +1,1379107956,9,Windows ruins everything a tale of a simple bug,blog.existentialize.com +0,1379106758,40,Need help implementing my Pseudo Code So basically I have 3 arrays size n that s suppose to check if there is a triple which adds up to zero from different arrays Returns true if triple exists and false otherwise,self.java +3,1379098412,10,The Hidden Java EE 7 Gem Lambdas With JDK 7,adam-bien.com +51,1379080832,8,The Trie A Neglected Data Structure in Java,toptal.com +52,1379034404,11,How does java util Random work and how good is it,javamex.com +6,1379027332,7,Google error prone compile time static analysis,code.google.com +5,1379024422,7,Why floor round and ceil return double,self.java +1,1378958331,6,JRE 6 class in JRE 5,self.java +40,1378946391,7,Why doesn t Java have more convenience,self.java +0,1378944565,10,Where and why might my application be using reference queues,self.java +0,1378939127,13,Anyone recommend a good book to learn about webservices from a Java perspective,self.java +0,1378938118,3,Simple Name Chooser,self.java +7,1378923867,7,Remote or Local for Data Access Layer,self.java +0,1378912422,9,A question about constructors and how to use them,self.java +2,1378905143,21,I need help with this little game I am not sure why it doesn t run Anyone able to help me,self.java +11,1378883703,4,Java application memory use,self.java +4,1378858791,5,Web development with Java redux,self.java +0,1378857806,14,How do I add the ability for the user to type in the window,self.java +52,1378853713,4,Java to Scala cheatsheet,techblog.realestate.com.au +0,1378836195,9,I want to learn java where do i beggin,self.java +0,1378835484,3,Is Java dying,self.java +5,1378834954,4,Need a programming idea,self.java +3,1378823250,11,Why is mvn generate sources ignoring my custom generate sources executions,self.java +0,1378806043,12,Using an image as a JButton and displaying an image in GUI,self.java +0,1378791215,5,someone wanna help me out,self.java +35,1378782251,5,Java 8 Enters Developer Preview,mreinhold.org +0,1378779231,9,How do I convert XML to HTML using java,self.java +0,1378774594,4,Can someone help me,self.java +24,1378774079,3,Very beginner question,self.java +7,1378756113,7,How to do validation the right way,self.java +0,1378739366,18,I m helping run a Spring Framework conference in London Spring Exchange What would you like to see,self.java +0,1378694624,8,Best way to store data in plain text,self.java +0,1378679179,2,Formating StringBuffer,self.java +0,1378663326,10,I ve got a question for all you Java buffs,self.java +0,1378544338,3,Help with BigInteger,self.java +19,1378522020,12,Nashorn Aiming at Taking Over Config Files Build Scripts and the Bash,youtube.com +0,1378507114,7,A Reddit API Wrapper using Jersey Client,self.java +0,1378480753,3,Help with Recursion,self.java +10,1378480221,7,Scaling Play to Thousands of Concurrent Requests,toptal.com +0,1378429717,3,Multiple AlphaComposite sources,self.java +13,1378405800,13,Simple CRUD Web Application PrimeFaces 3 5 EJB 3 1 JPA Maven SQL,simtay.com +0,1378400543,7,Need help with creating a search function,self.java +5,1378386021,17,What are some good modern resources that explain how to manage organize deploy a large JavaEE project,self.java +7,1378384710,27,7 years of Ruby on Rails thinking of picking up Java What type of project can I work on to prove that I m a good candidate,self.java +4,1378383947,7,Java 8 working with Eclipse or Netbeans,self.java +0,1378365484,8,Having issue finding jdk no problem finding jre,self.java +6,1378360579,7,Jackrabbit Oak the next generation content repository,jackrabbit.apache.org +1,1378327929,29,Can someone please help me figure out what s going on I m one of the only people who can t access this applet required for my Government course,self.java +11,1378311017,9,How to Generate Printable Documents from Java Web Applications,blog.smartbear.com +4,1378306220,8,Installing JGRASP to use for a Java Class,self.java +7,1378304328,5,New Fragment component in PrimeFaces,blog.primefaces.org +0,1378303382,9,Implementing Hexagonal Architectures with the Life Preserver and Spring,skillsmatter.com +4,1378293986,7,FacesMessage severity differences between Mojarra and MyFaces,javaevangelist.blogspot.com +9,1378287696,4,Better I18n in Java,blog.efftinge.de +0,1378265511,4,Sortable HTML table help,self.java +0,1378265095,6,I have a question about threads,self.java +0,1378230101,2,Java Help,self.java +0,1378154771,15,Help with code that I am struggling with Pixel needs to create a square outline,self.java +2,1378147027,9,Unable to create connection pool with SSL on GlassFish,self.java +30,1378140121,3,Graph algorithm libraries,self.java +0,1378138667,4,Question Non Focused Hotkeys,self.java +0,1378059378,19,Swing Why do the JPanel s getWidth and getHeight functions not reflect any changes in the panel s dimensions,self.java +0,1378058718,6,Need help with Java Robot class,self.java +13,1378046176,12,Two nearly identical lines of code and only of them is working,self.java +1,1378004082,14,JAVAW EXE is taking up 8GB of Ram How do I find out why,self.java +0,1377996270,4,Whats wrong with this,self.java +0,1377987657,9,Upload Excel or CSV using RESTEasy and Data Pipeline,northconcepts.com +12,1377984079,14,Why would I be seeing the ClassLoader method loadClass show up in my profiling,self.java +0,1377913413,24,What is the best place to learn Java online I really need practice but I want something a little more hand holdy than JavaRanch,self.java +27,1377909689,15,Open or not source projects that an entry level dev should be able to understand,self.java +4,1377906571,6,How to Inject Shellcode from Java,blog.strategiccyber.com +6,1377904791,5,Inversion of Control IoC Overview,tapestry.apache.org +3,1377903007,7,Calling Defender Methods from within a Lambda,self.java +0,1377900779,9,What are some incredibly helpful sights to learn Java,self.java +0,1377899207,6,casting a subclass object as superclass,self.java +11,1377886996,18,Can Maven handle different dependency versions in components of an application or must they all be the same,self.java +3,1377884791,12,How do I add a maven dependency hosted on a git URL,self.java +4,1377860816,9,Java security will be in the spotlight at JavaOne,infoworld.com +1,1377832542,9,Has anyone used Filters with Java using Twitters Finagle,self.java +0,1377829483,2,What program,self.java +0,1377826426,11,How do I make a moving pixel create a square outline,self.java +0,1377810682,5,Invitation to Green Programmer Survey,self.java +8,1377807743,4,False Sharing in Java,mechanical-sympathy.blogspot.com +0,1377784001,13,Web sites from a didactic point of view to live sites on host,self.java +8,1377780423,10,Best features of eclipse that some might not know about,self.java +185,1377770976,12,Come on Eclipse You should be able to figure this one out,i.imgur.com +0,1377762381,10,Good Serialization Libraries With Small Overhead in terms of Size,self.java +10,1377756807,9,10 Common Mistakes Java Developers Make when Writing SQL,blog.jooq.org +2,1377747729,14,Best method for waiting on JavaFX2 WebEngine to load before executing my JavaScript commands,self.java +0,1377714946,10,What is Map lt Character Character gt for a Map,self.java +0,1377713487,12,Split String every nth char or the first occurrence of a period,self.java +6,1377713086,5,Multi threading Swing GUI Updates,self.java +0,1377697673,26,Why do you have to type Class class to get a class s class You don t type 5 int to get an int s int,self.java +5,1377679626,6,Getting Started with HotSpot and OpenJDK,infoq.com +3,1377677264,9,Client side validation framework for JSF in PrimeFaces 4,blog.primefaces.org +0,1377672314,10,Writing a Java Regular Expression Without Reading the ing Manual,java.dzone.com +2,1377655547,5,Data Pipeline 2 3 Released,self.java +0,1377653843,18,What are some good tutorials to learn Java and XML I would like to create an android OS,self.java +5,1377640487,4,Pointer to JSF resources,self.java +0,1377633019,12,Any Midwest Java developers out there My Indy based company is hiring,self.java +4,1377631427,9,Java SE 8 Early Draft Review Specification DRAFT 2,cr.openjdk.java.net +21,1377617238,7,Will lambdas in Java 8 reduce boilerplate,self.java +0,1377606327,7,Java 6 exploit found in the wild,theinquirer.net +0,1377600729,3,Experiences with CloudBees,self.java +1,1377598728,19,APIMiner 2 0 IDE version released JavaDoc pages for Android Studio and Eclipse ADT instrumented with source code examples,java.labsoft.dcc.ufmg.br +8,1377597091,7,Hackers Target Java 6 With Security Exploits,informationweek.com +4,1377583389,8,OpenMOLE a workflow engine to leverage parallel execution,openmole.org +0,1377546152,7,Exciting Workshops on the Skills421 Training Courses,skills421.wordpress.com +2,1377506081,10,HSA targets native parallel execution in Java VMs by 2015,techcentral.ie +41,1377499127,4,Java Algorithms and Clients,algs4.cs.princeton.edu +0,1377455451,7,Jave J2EE Tutorials with Example on guruzon,guruzon.com +0,1377453355,17,JAVA path setting help I already followed all of the online instructions and I still need help,self.java +0,1377440911,7,Needed help in making a java program,self.java +13,1377436078,5,Jasypt 1 9 1 Released,jasypt.org +0,1377436002,6,tynamo federatedaccounts 0 4 3 released,apache-tapestry-mailing-list-archives.1045711.n5.nabble.com +1,1377382462,11,New programmer with minimal Python programming experience where do I start,self.java +0,1377369535,6,Jetty 9 0 5 v20130815 Released,dev.eclipse.org +15,1377367985,6,java Money and Currency JSR 354,github.com +0,1377352491,12,Programming Eclipse in Real Time using an Groovy based Eclipse Plug in,blog.diniscruz.com +0,1377330255,8,What s a really good crash course review,self.java +0,1377289798,6,Help with public boolean equals method,self.java +33,1377286839,9,More Effective Java With Google s Joshua Bloch 2008,oracle.com +28,1377267760,14,Java 7 Sockets Direct Protocol Write Once Run Everywhere and Run Some Places Blazingly,infoq.com +0,1377267566,8,Lambdas Myths and Mistakes by Richard Warburton Podcast,skillsmatter.com +0,1377261297,8,Importing Data From Solr To Postgres With Scala,garysieling.com +12,1377237481,6,Commons Collections 4 0 alpha1 released,mail-archives.apache.org +0,1377237420,8,Apache Mavibot 1 0 0 M1 MVCC BTree,mail-archives.apache.org +0,1377237255,6,Maven Surefire Plugin 2 16 Released,maven.40175.n5.nabble.com +4,1377237174,8,Recordinality cardinality estimation sketch with distinct value sampling,github.com +17,1377236454,11,gitBlit pure Java stack for managing viewing and serving Git repositories,gitblit.com +0,1377211010,14,Can an object be created that is a member of a dynamicly chosen class,self.java +12,1377205762,6,Good concurrent collections library for Java,self.java +0,1377199860,9,Noob Trying to achieve this functionality with Java programming,self.java +9,1377196066,13,How can I get an array of all the subclasses of class X,self.java +1,1377195663,10,Maven YAML plugin allows you to write POM in YAML,github.com +6,1377185441,6,Advanced Topics in OOP and Java,self.java +13,1377171519,10,String intern in Java 6 7 and 8 string pooling,java-performance.info +0,1377170822,7,Java devs among best paid in industry,jaxenter.com +27,1377169519,10,How do you deal with the logging mess with Maven,self.java +0,1377163613,8,Useful Eclipse Plugin to create J2EE Base Templates,3pintech.com +0,1377154125,5,java exe is a virus,i.imgur.com +9,1377136250,10,Decided to buckle down and learn Java What version question,self.java +0,1377099540,12,The Big Data Company Blog Hadoop vs Java Batch Processing JSR 352,blog.etapix.com +77,1377077576,7,10 Subtle Best Practices when Coding Java,java.dzone.com +30,1377068598,13,Stas s blog The most complete list of XX options for Java JVM,stas-blogspot.blogspot.co.il +3,1377060729,11,A set of high quality controls and add ons for JavaFX,jfxtras.org +0,1377047390,12,For anyone who needs help with renameTo the File API is terrible,self.java +3,1377043206,20,Am I reinventing the wheel here Are there any libraries for auto forwarding methods calls to other threads freely available,self.java +4,1377038549,6,Java EE Servlets Help Introduction Guide,self.java +0,1377032925,9,Can anyone help me out in regards to treads,self.java +18,1377029959,7,What exactly is the point of interfaces,self.java +12,1376981064,4,Help me understand JavaFX,self.java +4,1376978313,5,Best Android game development tutorial,self.java +0,1376958279,6,Help out on a homework question,self.java +0,1376929336,12,Java 101 The next generation Java concurrency without the pain Part 2,javaworld.com +5,1376891611,2,Utilizing SHA3,akoskm.github.io +0,1376860557,16,What code base should I assign permissions in my policy file to get JUnit to work,self.java +0,1376839402,7,Netbeans won t load on Peppermint Linux,self.java +10,1376800603,10,Getting Eclipse Kepler 4 3 to work on a Mac,trevmex.com +6,1376779371,7,JAVA JVM Restart requirements On code changes,self.java +0,1376766422,3,Trouble in eclipse,self.java +0,1376766357,13,Under what privileges does code inside a thread s uncaught exception handler run,self.java +2,1376737511,9,Using Selenium WebDriver to select JSF PrimeFaces selectOneMenu options,javathinking.com +58,1376729685,6,New Tweets per second record 140k,blog.twitter.com +10,1376720351,32,I am interested in using Java for graphing what is the best way to go about this I have some knowledge already but could really use a nudge in the right direction,self.java +0,1376706194,4,ScrollBar not working Help,self.java +0,1376697063,19,Giving an url that redirected is a url with spaces to Jsoup leads to an error How resolve this,self.java +4,1376691655,9,Any alternatives to ROME for parsing RSS Atom feeds,self.java +3,1376687945,6,Learning Java Book or online tutorial,self.java +17,1376661912,6,Type safe Hibernate query builder JPA,torpedoquery.org +0,1376653919,3,Mocking a value,self.java +22,1376644171,5,Spring Data REST in Action,javacodegeeks.com +0,1376633046,9,Is double checked locking by checking HashMap get safe,self.java +0,1376624466,17,Lowes com craps out at checkout every goddamn time guess I ll spend 700 at home depot,self.java +18,1376602217,11,Google confirms Java and OpenSSL crypto PRNG on Android are broken,android-developers.blogspot.com.au +12,1376588524,4,Understanding complex system code,self.java +18,1376588329,3,Quintessential Java Book,self.java +1,1376585208,20,How can I portable use a whitelist based approach for my custom SecurityManager if different JVMs rely upon different resources,self.java +5,1376582086,12,Can mvn install packages globally e g command line tools like nutch,self.java +40,1376574093,12,5 Things You Didn t Know About Synchronization in Java and Scala,takipiblog.com +0,1376524622,12,Need help debugging this code Can t figure out what s wrong,self.java +20,1376518565,6,Spring Boot Simplifying Spring for Everyone,blog.springsource.org +6,1376498705,13,I am writing an API for search and rating links on popular trackersites,self.java +7,1376474926,4,15 Java Enum Questions,java67.blogspot.com +0,1376451015,19,I m having trouble installing the Java Plugin on my browser and I can t use any Java applets,self.java +0,1376428773,10,LMAX Disruptor backed Thrift Server implementation half sync half async,github.com +0,1376419859,3,anjlab tapestry liquibase,github.com +0,1376419210,9,DictoMaton dictionaries that are stored in finite state automata,github.com +40,1376417534,15,So I visited Oracle a couple of days ago and wanted to share my experience,self.java +1,1376398133,9,Cloud development with Google App Engine and RedHat OpenShift,self.java +12,1376394716,6,Eclipse Preferences You Need to Know,eclipsesource.com +89,1376389234,10,Java tops C as most popular language in developer index,infoworld.com +7,1376356914,5,A RESTesque Java Web Server,dkuntz2.com +3,1376340048,14,Duke s Choice Community Awards voting ends today Vote for the most innovative product,java.net +0,1376335667,7,So You Think You Can Do Messaging,java.dzone.com +0,1376324491,16,Oracle and ARM to tweak Java Customizing Java SE and Java EE for ARM multicore systems,javaworld.com +0,1376318876,10,Looking for weekly Tutor for a programming II class java,self.java +41,1376304835,9,Microsoft adds Java to its Windows Azure cloud service,computerworld.com +19,1376259825,7,JSR 356 Java API for Websocket JEE7,programmingforliving.com +0,1376259513,6,What is Headless mode in Java,blog.idrsolutions.com +8,1376258533,8,Testing JASPIC implementations using Arquillian and full wars,arjan-tijms.blogspot.com +0,1376252396,7,Book to properly understand learn basic principles,self.java +0,1376233118,5,Beginner Need help in Alice,self.java +7,1376227446,11,Oracle Java Technology Evangelist Simon Ritter discusses Lambdas and Raspberry Pi,jaxlondonblog.tumblr.com +2,1376192919,12,How do I clear a JTextField in a JFrame with a JButton,self.java +10,1376131337,5,JSF 2 2 View Action,hantsy.blogspot.com +4,1376112439,3,Riojug Project Kenai,java.net +0,1376074090,6,Apologies if repost Request for aid,self.java +1,1376069223,8,The embedded EJB container in WebLogic Server 12c,vineetreynolds.blogspot.com +0,1376067840,3,Unmarshalling in Java,self.java +19,1376037016,9,A help for you to create awesome overengineered classes,projects.haykranen.nl +0,1376003315,5,Which IDE do you use,self.java +8,1375997936,6,JSF 2 2 HTML5 friendly markup,jsflive.wordpress.com +26,1375980859,8,Date and Time Manipulation in Java Using JodaTime,blog.smartbear.com +0,1375979173,3,Eclipse vs Netbeans,self.java +1,1375974555,6,JMS listener with WebSphere 7 0,self.java +1,1375972228,10,Can a generic Interface be extended by another generic Interface,self.java +0,1375968413,7,Java 1 6 0 SDK Major Bug,self.java +32,1375967702,8,I m hooked on test driven development TDD,endyourif.com +0,1375963681,11,Awesome location for a Software conference MEDIT Symposium Software Conference 2013,blog.mylaensys.com +0,1375957525,9,Java faces tough climb to catch up to Net,infoworld.com +2,1375947970,11,I think I found a bug in the standard library TreeSet,self.java +25,1375936147,4,Does anyone use NetBeans,self.java +0,1375916892,4,Eclipse ECF for Indigo,self.java +0,1375915996,2,NEED HELP,self.java +0,1375910217,9,Recommend a book to learn java from command line,self.java +0,1375885308,3,A little trick,self.java +0,1375854063,5,Help needed Simple I O,self.java +11,1375836584,8,Apache Tomcat 8 0 0 RC1 alpha Available,tomcatexpert.com +3,1375831909,8,Best FOSS OS to run JVM apps on,self.java +28,1375826408,7,OracleVoice There s Java In Your Tweets,forbes.com +0,1375823036,42,Looking into when to use enums this quote reminded me of simpler times You should use enum types any time you need to represent a fixed set of constants That includes natural enum types such as the planets in our solar system,docs.oracle.com +0,1375819054,10,Jetty Release 7 6 12 v20130726 8 1 12 v20130726,jetty.4.x6.nabble.com +2,1375818938,11,Priha an implementation of the JSR 170 Java Content Repository API,priha.org +0,1375803136,5,Any good Google Guava resources,self.java +0,1375790812,14,krasa jaxb tools maven plugin for generating JSR 303 Bean Validation Annotations from XSD,github.com +17,1375777387,8,The fallacy of the NO OP memory barrier,psy-lob-saw.blogspot.com +0,1375767127,5,Spring Data Babbage RC1 released,springsource.org +24,1375755296,4,Method calls in constructors,self.java +10,1375747129,17,Coding Standards Question For enumerations is it bad to make fields public instead of creating getter methods,self.java +0,1375726902,4,Increase Java Serialization Performance,drdobbs.com +3,1375690765,8,Java program to convert location in Lat Long,javaroots.com +0,1375675671,4,Business Delegate Design Pattern,youtube.com +0,1375622456,9,JSF CDI Tip of the Day PostConstruct Lifecycle Interceptor,javaevangelist.blogspot.com +17,1375604861,6,ORMs vs SQL The JPA Story,cforcoding.com +13,1375542081,8,Spring Framework 4 0 M2 WebSocket Messaging Architectures,java.dzone.com +18,1375524388,15,swagger maven plugin maven build plugin which helps you generate API document during build phase,github.com +1,1375524241,11,Jetty NPN Next Protocol Negotiation Specification for OpenJDK 7 and greater,github.com +22,1375522660,5,Apache Solr 4 4 released,mail-archives.apache.org +3,1375522606,11,Apache Jackrabbit 2 6 3 released Content Repository JCR 2 0,mail-archives.apache.org +2,1375522297,7,Creating JSF pages with pure Java code,java.dzone.com +0,1375479718,12,Fairly new to Java looking for some help on object arrays GUIs,self.java +0,1375475585,13,JSF Tip Do not put code with side effects in a getter method,weblogs.java.net +64,1375464109,18,Yet another guide on when how to catch exceptions in Java first one to make sense to me,doc.nuxeo.com +0,1375458792,18,Chrome automatically load up site call javaupdateappspot and downloaded something suspicious onto my computer anyone else getting this,self.java +0,1375450291,6,Tess4J Does not read multiple times,self.java +3,1375449186,13,How do I select a string literal from a set of string literals,self.java +0,1375425247,2,Base Patterns,youtube.com +28,1375417199,3,Java Concurrency Animated,sourceforge.net +0,1375414229,6,Covariance with self referential bounded generics,self.java +9,1375394595,4,Getting started with OSGi,self.java +6,1375383692,5,JAX WS SOAP over JMS,biemond.blogspot.de +0,1375370457,6,I need help with my Calculator,self.java +0,1375364788,7,Java Magazine July August 2013 Edition Released,oraclejavamagazine-digital.com +1,1375339709,7,How to highlight invalid components in JSF,blog.oio.de +0,1375339685,2,Design patterns,youtube.com +308,1375313769,11,Caught a funny line in a Java book I was reading,i.imgur.com +2,1375296851,9,Serving multiple images from database as a CSS sprite,balusc.blogspot.com +0,1375295850,19,Can someone explain these practice problems Not Homework just examples I m supposed to already understand for a course,self.java +5,1375232943,10,Naming What s a good general name for this technique,self.java +1,1375220789,10,I m completely new to Java and programming in general,self.java +0,1375219038,7,Fun and easy way to learn Java,self.java +2,1375210668,7,Oracle Java Day at Guadalajara in Mexico,flickr.com +0,1375205222,7,Why Functional Programming in Java is Dangerous,cafe.elharo.com +0,1375195718,5,sviperll task Java multitask library,github.com +62,1375194638,9,10 Common Mistakes Java Developers Make when Writing SQL,blog.jooq.org +0,1375180092,15,I have a habit of clicking random then top all time I found this Heh,imgur.com +10,1375170548,9,Offheapsters Beware Atomicity of Unaligned Memory Access in Java,psy-lob-saw.blogspot.com +0,1375133461,5,Hi guys i need help,self.java +28,1375131887,5,TrieHard a Java Trie Implementation,self.java +0,1375121679,10,Oracle JDBC Driver for DB 12C and Java 7 Out,oracle.com +9,1375117136,12,java Replacing a full ORM JPA Hibernate by a lighter solutionload save,stackoverflow.com +0,1375113855,9,The state of web accessibility in the JavaEE world,blog.akquinet.de +23,1375075752,14,Compute Java Object Memory Footprint at runtime with JAMM Java Agent for Memory Measurements,blog.javabenchmark.org +0,1375064023,5,Java in a few years,self.java +46,1375012133,8,Java 8 Lambdas Default Methods amp Bulk Data,zeroturnaround.com +5,1374998841,6,Two s complement and absolute values,tslamic.wordpress.com +0,1374996030,13,Jaybird 2 2 4 snapshot with basic Java 8 JDBC 4 2 support,firebirdnews.org +5,1374982510,8,Is possible to make fast java desktop applications,self.java +14,1374958419,9,Average rates you ve encountered as an independent consultant,self.java +17,1374931760,8,Was Struts Responsible for Apple s Security Breach,java.dzone.com +0,1374864280,13,Java EE 8 Why all of you are being asked translation from German,translate.google.com +0,1374858595,2,Education point,educationtpoint.blogspot.in +4,1374833666,7,Jato VM What is it s purpose,self.java +3,1374819527,4,Open Map by BBN,self.java +0,1374800896,8,Should be easier comparing against a text file,self.java +0,1374765308,7,Embedding images into e mail with JavaMail,codejava.net +0,1374761151,5,NetBeans 7 4 Beta Released,i-programmer.info +13,1374728688,7,Yet Another Process Library for Java YAPLJ,zeroturnaround.com +7,1374727000,5,Question Regarding Dynamic Class Loading,self.java +4,1374700537,14,Simple and scalable event subscription with STOMP WebSockets SockJS and Spring Framework 4 0,blog.springsource.org +0,1374696260,6,RichFaces 4 3 x Resource Mapping,javaevangelist.blogspot.com +7,1374682330,9,How and When to Use Java s ThreadLocal Object,blog.smartbear.com +9,1374678002,8,What s new in Weblogic 12 1 2,blog.c2b2.co.uk +15,1374645405,13,Lock free queues hitting over 170M ops sec Comparing Inlined and Floating Counters,psy-lob-saw.blogspot.com +4,1374619132,15,What is the simplest program I could write that would tax my cpu the most,self.java +3,1374617790,9,oraconf parse and manipulate Oracle tnsnames files bsd license,self.java +33,1374588010,9,Lambda Expressions Backported to Java 7 6 and 5,blog.orfjackal.net +3,1374583320,5,Glassfish 4 Migrating to Glassfish,blog.c2b2.co.uk +11,1374568487,4,Dependency Badges for Java,versioneye.wordpress.com +8,1374568411,12,London GlassFish User Group September New JMS features in GlassFish 4 0,c2b2.co.uk +5,1374565387,7,Tool for creating UML diagrams from code,self.java +15,1374562800,10,JBoss Tools 4 1 and Developer Studio 7 go GA,community.jboss.org +0,1374512700,9,How do you guys go about looking for libraries,self.java +0,1374501551,4,Why I hate Java,gyazo.com +38,1374499837,7,5 Coding Hacks to Reduce GC Overhead,takipiblog.com +0,1374497928,5,Clojure All The Way Knockout,dimagog.github.io +4,1374487249,13,Oracle SOA Suite 11g Performance Tuning Cookbook a Few Words From the Author,blog.c2b2.co.uk +10,1374481986,6,PrimeFaces Elite 3 5 9 Released,blog.primefaces.org +1,1374481066,6,What s new in Coherence 12c,blog.c2b2.co.uk +2,1374463428,5,dependency management using maven repo,self.java +63,1374412718,6,Log4j 2 Performance close to insane,grobmeier.de +35,1374382473,9,why you should use the final modifier more often,omsn.de +14,1374351025,6,any gaming companies that use java,self.java +0,1374340798,5,Change Attribute in XML file,stackoverflow.com +0,1374318046,10,What are the must read books for Java web developer,self.java +14,1374282070,5,A new subreddit r javasoftware,self.java +6,1374251532,6,Apache XMLBeans headed for the Attic,mail-archives.apache.org +25,1374243418,16,Don t Throw Away Your Old Java Web Framework the Short Single Page History of Twitter,java.dzone.com +4,1374237268,2,Lync API,self.java +0,1374234407,3,Problem at compilation,self.java +0,1374223380,8,Why do Java Preferences work with multiple ClassLoaders,stackoverflow.com +7,1374191163,10,Using and avoiding null from docs of Google Guava library,code.google.com +0,1374183627,6,Garbage Collection in Java Part 4,java.dzone.com +43,1374181945,9,Java Garbage Collection Distilled Good summary of Java GC,mechanical-sympathy.blogspot.ca +2,1374173155,8,Java EE 8 wish list 2 Antonio Goncalves,antoniogoncalves.org +3,1374163035,15,Qualitas class Corpus Compiled Eclipse Java projects for 111 systems included in the Qualitas Corpus,java.labsoft.dcc.ufmg.br +1,1374157399,17,Any free open source Java library recommendation for communicating with RS232 on a n embedded Windows platform,self.java +0,1374154031,8,When to make a method static in Java,javarevisited.blogspot.com +17,1374133611,4,The Java Modularity Story,branchandbound.net +0,1374086363,2,JAVA Question,self.java +1,1374074665,16,Dev team behind WebSphere Application Server Liberty Profile doing a live Q amp A session tomorrow,self.java +5,1374071450,10,JPA 2 Fetch Joins and whether we should use them,kumaranuj.com +12,1374068225,10,Stateful vs Stateless and Component vs Action web framework benchmark,content.jsfcentral.com +0,1374056440,15,Looking for a way to download presentations from java software Blackboard Collaborate for offline viewing,self.java +11,1374050807,7,Glassfish 4 Performance Tuning Monitoring and Troubleshooting,blog.c2b2.co.uk +2,1374011294,7,Jumi Common test runner for the JVM,jumi.fi +1,1374007063,4,Read Write in Excel,self.java +30,1374002949,5,Maven 3 1 0 Release,maven.40175.n5.nabble.com +6,1373985793,9,Apache Maven Survey Which Java version are you using,docs.google.com +0,1373982888,8,Maven 3 1 0 Released What a Disappointment,insaneprogramming.be +0,1373971686,3,Java amp Javascript,twitter.com +0,1373965732,6,First Java class having loop issues,self.java +0,1373964391,8,Question Java does not throw overflow Exception Why,self.java +0,1373941236,12,How do I maintain an artifact separate from pojects that use it,self.java +63,1373930560,28,Computer Science Professor uses java software to analyze The Cuckoo s Calling and unmasked the authour as J K Rowling who wanted to write under a fake name,entertainment.time.com +1,1373919243,6,Apache Ant 1 9 2 Released,mail-archives.apache.org +0,1373915583,2,Mistletoe Project,mistletoe.qos.ch +1,1373915440,6,Oracle Discontinuing sun reflect Reflection getCallerClass,infoq.com +0,1373908873,8,New problem with nested for loops and java2d,self.java +0,1373902018,3,Java Application HELP,self.java +5,1373895192,4,Flyway 2 2 Released,flywaydb.org +17,1373893553,13,Fast 130M ops second lock free queue eliminating run to run performance variance,psy-lob-saw.blogspot.com +8,1373893016,10,How to control memory usage and avoid the dreaded OutOfMemoryError,self.java +1,1373887602,7,Upcoming Spring Framework conference The Spring Exchange,skillsmatter.com +62,1373878639,5,Understanding Weak References in Java,weblogs.java.net +6,1373873016,6,Lazy sequences implementation for Java 8,javacodegeeks.com +21,1373837536,8,Java 7 vs Groovy 2 1 performance comparison,kubrynski.com +0,1373834251,11,Safe Saver from AVG will disable your Javascript in ALL browsers,self.java +4,1373830729,10,SQLJ an ISO standardized DSL for embedding SQL in Java,en.wikipedia.org +2,1373808164,7,Configuring Spring and Hibernate for Standalone Applications,girlcoderuk.wordpress.com +15,1373797383,17,How quickly will Java software vendors migrate to Java 8 given the presence of Lambda Expressions poll,java.net +35,1373777767,20,How do I expand my Java skills when my professional experience only uses core Java and a subset of J2EE,self.java +9,1373760129,5,Java EE 8 wish list,arjan-tijms.blogspot.com +0,1373753019,11,Oracle WebLogic 12 1 2 Now With EclipseLink MOXy JSON Binding,blog.bdoughan.com +0,1373743666,8,Oracle WebLogic Server 12 1 2 is available,blogs.oracle.com +32,1373719337,4,Java s Reflection API,rodrigosasaki.com +0,1373711104,6,Import CA root certificate into JDK,hussainanjar.com +1,1373710559,10,Oracle JDeveloper and ADF 12c 12 1 2 new features,oracle.com +0,1373699720,6,5 reasons to avoid code comments,pauloortins.com +10,1373666457,7,Java Methods selection with Overloading and Overriding,stackoverflow.com +0,1373622711,5,EARs WARs And Size Matters,adam-bien.com +19,1373622346,4,Hibernate adds OSGi Support,infoq.com +1,1373600124,6,Question about Grails and the enterprise,self.java +2,1373599525,5,Help with a home project,self.java +3,1373587444,24,timed wait for input from console e g if no input typed and return hit within 5 seconds doesn t wait for next line,self.java +0,1373556577,11,Need to do image processing in Java having trouble finding libraries,self.java +0,1373531786,8,Highly Available PHP sessions using memcached 4 Coherence,blog.c2b2.co.uk +42,1373527826,18,Throwing null in Java means you re throwing NPE but don t do that to your co workers,stackoverflow.com +1,1373524841,3,Interoperability Java Frege,mmhelloworld.github.io +0,1373504852,4,XPath for Streaming JSON,self.java +1,1373494173,9,Just In Time compilation more than just a buzzword,javaeesupportpatterns.blogspot.com +3,1373493994,10,Parallel ready SplittableRandom proposed by Guy Steele for JDK 8,cs.oswego.edu +2,1373492549,7,JSF in the trenches About developing ZEEF,balusc.blogspot.com +3,1373491312,1,hawtio,hawt.io +10,1373490935,7,Apache Maven War Plugin 2 4 Released,mail-archives.apache.org +0,1373488743,5,Linting in pre commit hooks,self.java +4,1373443107,4,Lightweight Asynchronous Sampling Profiler,jeremymanson.blogspot.com +8,1373442830,4,Streaming audio in Java,self.java +0,1373417203,3,Request Netbeans intro,self.java +5,1373402181,8,Apache Camel 2 10 6 CVE 2013 2160,mail-archives.apache.org +3,1373402000,12,Tips or ideas for a long term beginner to intermediate level project,self.java +1,1373397779,12,How do you Pass the Gap Between Hello World and Viable Programs,self.java +0,1373395692,15,Can you help with a plugin dependency issue in a recent Netbeans 7 3 installation,self.java +5,1373384736,5,Mojarra 2 1 24 released,java.net +5,1373382226,7,Testing Java 8 in 3 Easy Steps,insightfullogic.com +0,1373376830,8,Reliable Java to COM bridges for commercial use,self.java +11,1373342517,5,Using HDFS from Java Coding,voidtricks.com +3,1373317371,13,What are my primary choices for a GUI in a desktop java program,self.java +2,1373312854,6,Commons Collections 4 0 alpha1 released,mail-archives.apache.org +27,1373312805,6,Apache Tomcat 7 0 42 released,mail-archives.apache.org +5,1373306019,9,First release of AArch64 ARMv8 64 bit OpenJDK port,mail.openjdk.java.net +9,1373283839,7,JBoss community and EAP are things changing,blog.c2b2.co.uk +5,1373280554,6,GlassFish 4 Features for High Availability,blog.c2b2.co.uk +41,1373225597,12,Winner of Darpa s Virtual Robotics Challenge coded almost entirely in Java,robots.ihmc.us +2,1373216889,5,Java RXTX serial port unplugged,self.java +17,1373202061,8,Code rant When Should I Use An ORM,mikehadlow.blogspot.ca +5,1373190768,9,MetaModel Providing Uniform Data Access Across Various Data Stores,infoq.com +21,1373170374,7,Why should I teach my students Java,self.java +1,1373158539,12,Java Use of class with no modifier versus class with public modifier,self.java +1,1373156574,9,Why can I not monitor local processes using JConsole,self.java +5,1373119552,5,JGoodies Tutorial up to date,self.java +1,1373083919,2,Javaee7 Resources,javaee7.zeef.com +18,1373057178,8,OpenIMAJ Open Intelligent Multimedia Analysis toolkit for Java,openimaj.org +0,1373032316,6,Unable to create a TLS connection,self.java +5,1373026759,3,GWT 2 Tutorial,self.java +6,1373022021,6,The Heroes of Java Kevlin Henney,blog.eisele.net +20,1373009573,8,Thinking of switching from Eclipse to IntilliJ IDEA,self.java +0,1372994651,6,Spring Web MVC vs JAX RS,infoq.com +0,1372963654,11,Using the File Upload Component in JSF 2 2 Oracle tutorial,apex.oracle.com +16,1372962776,6,Collection of Java EE 7 resources,javaee7.zeef.com +0,1372961934,4,Good Objects Breaking Bad,mlangc.wordpress.com +3,1372956416,12,Java SFTP upload using JSch but how to overwrite the current file,self.java +0,1372952016,7,Sign up for Oracle to get JDK,self.java +0,1372951598,5,Getting Started with GlassFish 4,blog.c2b2.co.uk +4,1372949602,9,How to make an iOS app using JavaFX 8,blog.software4java.com +40,1372945080,12,Is IntelliJ IDEA Community any good I m sick of Eclipse crashing,self.java +0,1372944867,5,Spring Security Expressions hasRole Example,baeldung.com +4,1372925492,8,Late Night Game Development at its Best WillNeedJava,imgur.com +0,1372907840,33,How do you create a java program on Google App Engine that is able to write HTML or return information so that something else can write HTML as a result of receiving parameters,self.java +3,1372890102,8,Concurrency in Java and odd behaviour from RWLock,self.java +10,1372883350,8,Strategy Pattern using Lambda Expressions in Java 8,java.dzone.com +24,1372877776,23,The classpath article on Wikipedia currently tells you how to avoid smashing 20 diff JARs in the command line to run a program,en.wikipedia.org +27,1372868587,6,Monster Component in Java EE 7,antoniogoncalves.org +10,1372857628,10,Webinar Functional Programming without Lambdas by Spring Source July 18th,springsource.org +8,1372851632,12,Developers expect Java EE 7 to become predominant within 2 3 Years,weblogs.java.net +0,1372846141,4,IllegalStateException in Response SendRedirect,javaroots.com +0,1372845583,5,Need help on beginner program,self.java +0,1372829840,5,Java Trivia 10 bullet points,javaroots.com +0,1372804644,5,Bean Validation 1 1 examples,rmannibucau.wordpress.com +2,1372804041,11,An illustration of Expression Language 3 0 in a Servlet environment,weblogs.java.net +15,1372794034,5,Guacamole HTML5 Clientless Remote Desktop,guac-dev.org +1,1372793968,11,Maven Javadoc Plugin 2 9 1 Javadoc vulnerability CVE 2013 1571,maven.40175.n5.nabble.com +4,1372783349,14,X Post r Androiddev Firebase Announces New Java Client Library for Realtime Data Synchronization,firebase.com +0,1372779043,9,Unable to locate Compiler Error in Eclipse and Maven,javaroots.com +5,1372776245,4,Capabilities of Java EE,self.java +7,1372762379,9,Basic clustering with Weblogic 12c and Apache Web Server,self.java +8,1372742167,4,Exception Dashboard for Java,self.java +26,1372713635,6,My First Java Library Java Stocks,github.com +11,1372690443,8,Any sample project architecture using EJB 3 0,self.java +5,1372685993,15,Looking for an XML less sample Spring Spring MVC project to clone for trouble shooting,self.java +0,1372680266,6,Slick2D help post anyone help please,self.java +4,1372666643,15,A mini util for measuring connectivity IPC UDP TCP latency How low can it go,psy-lob-saw.blogspot.com +0,1372662705,21,Just wondering if anyone can help me out starting a story for a game I m currently making in Java p,self.java +0,1372656313,12,Difference between Math Random and the nextInt method of the Random class,self.java +6,1372650295,3,JavaFX GUI Design,self.java +7,1372639596,4,Shenandoah GC An overview,rkennke.wordpress.com +18,1372637079,4,Spring Framework Starting out,self.java +0,1372624487,2,Help please,self.java +10,1372622371,6,A question about game design concepts,self.java +0,1372603097,10,How would you add labels to this sweet hurricane map,self.java +18,1372602513,12,SugarJ library based language extensibility for example inline XML with syntax validation,sugarj.org +16,1372601748,5,Machine Learning Library for Java,self.java +2,1372589473,8,What s new in CDI 1 1 presentation,youtube.com +7,1372571508,7,java OO design of a Battleships game,self.java +1,1372502705,7,Injecting An ExecutorService With Java EE 7,adam-bien.com +36,1372481174,7,Differences between Math sin and StrictMath sin,self.java +0,1372471480,4,Dj cristian Electro house,youtube.com +2,1372455760,8,Sirix a versioned XML storage system Berkeley DB,github.com +1,1372455337,7,Hama 0 6 2 has been released,mail-archives.apache.org +2,1372455273,6,Apache Camel 2 10 5 released,mail-archives.apache.org +5,1372455170,5,Jetty 9 0 4 v20130625,dev.eclipse.org +1,1372455029,13,Perfidix tool for developers to conveniently and consistently benchmark Java code ala junit,disy.github.io +67,1372449675,8,Yo dawg I herd you like internal errors,imgur.com +0,1372448164,5,JSF 2 2 and HTML5,infoq.com +0,1372447163,3,Help with GUI,self.java +3,1372446989,10,JSF 2 2 Pass Through Attributes in PrimeFaces 4 0,blog.primefaces.org +0,1372441540,15,HELP I need to write these methods for an assignment and cannot figure them out,self.java +0,1372433091,10,Learn Play Framework 2 for Java with this Video Book,packtpub.com +15,1372430940,3,Git Cheat Sheet,git-tower.com +30,1372421310,5,Tricks to speed up Eclipse,stackoverflow.com +0,1372420445,6,Recommended Coding Rules for Java Developers,dzone.com +3,1372419969,6,How to disable a console output,self.java +2,1372414777,13,Looking for a library to export a resultset to a spreadsheet as csv,self.java +0,1372412816,5,How do I fix this,i.imgur.com +1,1372380345,12,We ve Got Your Back New Relic Supports Windows Azure Web Sites,blog.newrelic.com +11,1372374578,9,Code coverage for GitHub hosted Java projects with Coveralls,blog.eluder.org +19,1372373183,10,Build Your First Counter Android App Using This Quick Tutorial,simpledeveloper.com +0,1372368190,8,Java EE 7 support in Eclipse 4 3,blogs.oracle.com +17,1372365758,54,I have a db with data in it accounts invoices articles comments images and so on I need to build a web app to search create update delete these things and perform some business processes on them QUESTION What the quickest easiest way to build a web UI to do these things in Java,self.java +3,1372342805,8,Remove certain item or clear whole OmniFaces cache,whitebyte.info +1,1372342014,5,Eclipse Kepler By the Numbers,java.dzone.com +26,1372333866,8,The Rise and Fall and Rise of Java,marakana.com +9,1372316032,10,Handling feature flags in a Java EE application using Togglz,hascode.com +0,1372310227,9,Help Needed Window on top of Desktop Not Hidden,self.java +2,1372276040,6,Need some info on Java certificates,self.java +0,1372262858,4,Recommend a good book,self.java +6,1372210910,10,Server side events EventSource with Servlet 3 0 async support,stackoverflow.com +0,1372201030,12,What should I do when I see a security prompt from Java,java.com +2,1372186215,9,JLayer s MP3 data values and general DSP questions,self.java +6,1372184708,9,Build Your First Android App From Scratch Using Java,simpledeveloper.com +0,1372184334,12,Way too many ways to do the same thing Too many choices,livememe.com +0,1372180926,7,Javaland Execution in the Kingdom of Nouns,steve-yegge.blogspot.com.ar +1,1372158371,16,GlassFish 4 Webinar Series A new series of short and snappy educational webinars about GlassFish 4,c2b2.co.uk +86,1372149855,10,6 tips to make eclipse lighter prettier and more efficient,blog.scramcode.com +23,1372142952,7,Garbage Collection in Java G1 Garbage First,insightfullogic.com +19,1372099509,9,G1 vs Concurrent Mark and Sweep Java Garbage Collector,blog.sematext.com +37,1372096643,12,Is there a site like codeacademy com where I can learn Java,self.java +3,1372088471,15,Anyone know of a good tool library for code analysis in regards to symbol linking,self.java +0,1372085534,4,Runtime Error in JavaHelp,self.java +0,1372077180,11,How to add two Integers in Java without using or operator,javarevisited.blogspot.com.br +14,1372014136,5,Trying Liberty 8 5 5,arjan-tijms.blogspot.com +0,1371975343,7,What is Important in Secure Software Design,swreflections.blogspot.ca +20,1371952284,7,Java visualizer based on Online Python Tutor,cscircles.cemc.uwaterloo.ca +23,1371926709,5,Java Job Market Advice Please,self.java +3,1371888268,7,Purpose of Abstract class without Abstract methods,self.java +0,1371885616,7,Define different main method format in Java,dotnethearts.blogspot.in +1,1371849751,45,If a java program requests data from a server and is waiting for a response does can the program progress to the next request from a different server while it waits or does it simply wait for the first request before proceeding to the next,self.java +47,1371848718,21,I just added a slew of cool projects to GitHub that I ve had sitting around for sometime looking for input,self.java +0,1371816220,7,Remediation Support Top Eclipse Kepler Feature 2,eclipsesource.com +0,1371816184,8,Eclipse Platform Improvements Top Eclipse Kepler Feature 3,eclipsesource.com +0,1371816127,8,RAP 2 x Top Eclipse Kepler Feature 4,eclipsesource.com +17,1371803024,8,Scalable performance counters for multi threaded Java apps,psy-lob-saw.blogspot.com +4,1371785568,4,Need a learning project,self.java +0,1371773156,17,Java and online banking Does Java help Linux users security as well x post from r linux,self.java +0,1371751382,14,TIL Basic Grails functionality depends on some pretty hilarious hacks using undefined JDK behaviour,twitter.com +0,1371751011,4,Help Null Pointer Exception,self.java +8,1371748379,10,AppScale open source Google App Engine 1 8 0 Released,blog.appscale.com +0,1371743584,31,Hi r java I m looking for some source code to study that relies on generics Especially code that goes beyond using generics only for collections Does anyone have any examples,self.java +2,1371743143,2,Book recommendations,self.java +6,1371742987,10,Vulnerability Note VU 225657 Oracle Javadoc HTML frame injection vulnerability,kb.cert.org +14,1371738258,6,Java EE 7 And Then What,drdobbs.com +6,1371736928,4,Permission or policy checker,self.java +0,1371734263,6,See you later Java I hope,self.java +3,1371704535,3,Session Bean interfaces,self.java +2,1371694650,13,Can anyone explain to me the difference between static methods and instance methods,self.java +0,1371681718,7,I need help with a java problem,self.java +4,1371672136,5,Examples of Swing Best Practices,self.java +83,1371668065,5,JDK 8 is feature complete,mail.openjdk.java.net +6,1371661808,9,Anyone know a good SQL parsing class or library,self.java +3,1371658417,9,Java SE Development Kit 7 Update 25 Release Notes,oracle.com +4,1371645831,6,Embedded war using Jetty and Gradle,fernandorubbo.blogspot.com.br +2,1371644051,24,Walter Bright asks about the implementations of the Initialization on demand holder idiom s generated code guarantees allowed by JSR 133 Java Memory Model,reddit.com +0,1371638513,11,Getting java security InvalidAlgorithmParameterException the trustAnchors parameter must be non empty,self.java +1,1371638447,13,Question Ideas on streaming Audio mp3 from Java web app to html frontend,self.java +1,1371628525,11,Thoughts about subject observer publisher subscriber and emulation of self types,gallium.inria.fr +0,1371625359,7,Every time i install a java update,i.imgur.com +0,1371616200,4,What is a NullPointerException,self.java +3,1371598911,6,Java 2D Game Programming Platformer Tutorial,youtube.com +39,1371596377,9,Java 7u25 has been released includes 40 security fixes,oracle.com +0,1371593081,10,Reconsidering using Java for web projects please give some feedback,self.java +38,1371591787,13,JDK now comes with an expiration date Unknown what happens when it expires,oracle.com +0,1371572851,3,UnsupportedClassVersionError In Java,javaroots.com +0,1371570816,5,Fledgling Coder Needs Advice Badly,self.java +1,1371559859,5,Java SMPP Application Working on,github.com +2,1371521537,11,I m not looking for the best IDE but the quickest,self.java +0,1371514754,11,Will the equals operator ever be fixed with respect to Strings,self.java +11,1371508285,7,Oracle Java Critical Patch Update June 18,oracle.com +9,1371503904,1,Javapocalypse,youtube.com +1,1371496604,6,Dev environment question Windows OSX Linux,self.java +6,1371486879,15,Bringing Closures to Java 5 6 and 7 No Need To Wait for Java 8,mseifed.blogspot.se +11,1371477824,5,The Future of Java Standards,docs.google.com +14,1371441886,3,Data Structures Book,self.java +8,1371411095,5,Good books for learning Java,self.java +1,1371403839,6,Java serialization for a specific protocol,self.java +7,1371363004,14,As a C MVC developer what should I be familiarizing myself with in Java,self.java +10,1371357688,9,I just started java and need help on something,self.java +4,1371308635,7,Most intensely fun way to learn Java,self.java +42,1371306400,8,Shenandoah A pauseless GC for OpenJDK from RedHat,rkennke.wordpress.com +0,1371302570,7,JPA 2 Dynamic Queries Vs Named Queries,kumaranuj.com +19,1371294000,10,Apache Commons Net 3 3 released ftp client mail client,mail-archives.apache.org +6,1371293921,5,Apache Qpid 0 22 released,mail-archives.apache.org +0,1371267454,5,Help Reqest Teamspeak API Work,self.java +0,1371260543,2,Strange error,self.java +2,1371253006,2,Beginner help,self.java +5,1371244146,7,RichFaces 5 0 0 Alpha1 Release Announcement,bleathem.ca +37,1371243771,3,JavaZone 2013 Javapocalypse,youtube.com +1,1371239325,4,infoShare 2013 nagrania video,javaczyherbata.pl +3,1371237423,11,WebSphere Application Server and Developer Tools V8 5 5 available now,ibmdw.net +1,1371218317,11,Echo3 Web Application Framework announces the release of version 3 0,self.java +4,1371211387,3,License to Code,youtube.com +86,1371209897,4,JavaZone 2013 the javapocalypse,jz13.java.no +3,1371199604,5,Newbie question about custom menu,self.java +21,1371154898,15,Adam Bien s presentation on infoShare 2013 conference in Gdansk Poland on good JavaEE practices,youtube.com +0,1371141864,4,What Should I Use,self.java +16,1371128089,6,Deploy Java Apps With Docker Awesome,blogs.atlassian.com +0,1371126721,9,Mylyn Reviews with Gerrit Top Eclipse Kepler Feature 8,eclipsesource.com +1,1371126648,8,avc binding dom Java DOM binding with annotations,code.google.com +0,1371093327,7,having trouble with java homework on methods,self.java +0,1371075924,15,Zarz dzenie z o ono ci przez tr jpodzia logiki Open closed principle w praktyce,javaczyherbata.pl +42,1371063543,10,Java EE 7 officially launches bringing HTML5 and WebSocket support,jaxenter.com +5,1371061266,9,What would you recommend for cheap reliable tomcat hosting,self.java +9,1371043173,6,Java Magazine May June 2013 Released,oraclejavamagazine-digital.com +32,1371041215,36,The only thing I will remember in 40 years time from my development career is an instant muscle memory recall of typing mvn eclipse eclipse I ll probably be mumbling it at my nursing home too,self.java +3,1370992652,6,Ultra fast reliable messaging in Java,kubrynski.com +10,1370990922,15,A cross platform exe wrapper for a jar file that I just stumbled across today,launch4j.sourceforge.net +48,1370985520,9,Guava simple recipes to make your Java code cleaner,onthejvm.blogspot.com +8,1370951393,7,Spring Data JPA vs EclipseLink vs Hibernate,self.java +6,1370949984,8,EGit 3 0 Top Eclipse Kepler Feature 9,eclipsesource.com +9,1370933837,5,OmniFaces 1 5 is released,balusc.blogspot.com +3,1370918147,7,What is the point of abstract methods,self.java +3,1370892282,10,Java wrapper for svdlib a fast sparse SVD in C,bitbucket.org +0,1370885915,11,Brand new JRE 7 update 21 install doesn t even verify,self.java +37,1370863126,42,MapDB provides concurrent Maps Sets and Queues backed by disk storage or off heap memory It is a fast and easy to use embedded Java database engine This project is more than 12 years old you may know it under name JDBM,mapdb.org +5,1370853748,12,Marketing done right JRebel trials can win you an awesome geek trip,zeroturnaround.com +17,1370845605,12,What s New in JMS 2 0 Part Two New Messaging Features,oracle.com +0,1370826927,20,JAVA Is there any good tutorials for making a picture slideshow ie java app that displays photos in slideshow fashion,self.java +0,1370820531,2,Getting started,self.java +24,1370809153,22,If anyone is interested here a bunch of other Redditors and I are making a tournament for the awesome programming game RoboCode,self.java +12,1370808047,4,A bizzarre JavaFx bug,raintomorrow.cc +1,1370798589,4,Functional Interfaces in JDK8,passionandtech.blogspot.com +6,1370797134,6,Recommend some interesting technologies to explore,self.java +19,1370769912,9,Quick note on Oracle Java SE Time Zone Updates,openj.dk +14,1370743028,7,Best way to deploy Java Desktop Applications,self.java +5,1370739893,7,Array Buffer Object is disabled Please help,self.java +0,1370731904,12,Can t make my code work What am I doing wrong here,self.java +12,1370731113,24,We made a Pacman clone in Java for our AP Computer Science final project here it is How can we make it less crappy,self.java +1,1370714976,4,Active rendering tearing lagging,self.java +1,1370696879,11,Deployment Overlays A new feature of the JBoss EAP 6 1,blog.akquinet.de +65,1370695982,7,Oracle Discontinues Free Java Time Zone Updates,developers.slashdot.org +2,1370680799,2,Project dependencies,self.java +0,1370664828,7,How to make a list of objects,self.java +0,1370663367,6,Look Mate No Setters No XML,eclipsesource.com +10,1370640268,12,Facebook unveils Java based Presto engine for querying 250 PB data warehouse,gigaom.com +164,1370633638,44,I had an old man ask me to help him update his Java He had parkinsons and couldn t keep his hand steady enough to click the checkbox Scumbag java updater still no focus on the string It s only been 9 years now,i.imgur.com +11,1370614159,7,Code driven no annotations ORM for Java,github.com +4,1370610129,9,Style Guide for staying below 80 chars per line,self.java +4,1370588511,11,Annotation based Dependency Injection in Spring 3 and Hibernate 3 Framework,java-tv.com +12,1370587699,7,Asynchronous Servlet and Java EE Concurrency Utilities,weblogs.java.net +0,1370579024,4,Help with NetBeans please,self.java +15,1370568982,5,JavaFX on Android and iOS,self.java +3,1370561511,4,Using Graphics in Java,self.java +2,1370553331,2,ProcessBuilder help,self.java +14,1370537945,6,Oracle Java Virtual Developer Day 2013,oracle.6connex.com +0,1370523749,7,RAP Client Scripting Phase II 2 3,eclipsesource.com +4,1370516589,22,Does anyone know of simple framework in java for playing wav files that supports turning volume up and down as they play,self.java +14,1370508450,6,Joint union in type parameter variance,stackoverflow.com +1,1370486745,3,Help with Jython,self.java +0,1370478878,4,Help with Birthday Paradox,self.java +2,1370470986,13,What is the best resource for an absolute beginner to coding learn Java,self.java +0,1370452866,17,Friend and I got into an argument on this one I say its B Am I right,imgur.com +1,1370442500,8,Intermediate level Java programmer interested in game development,self.java +7,1370424928,4,Spring Security Authentication Provider,baeldung.com +0,1370420580,5,Spring Framework 4 0 Announced,infoq.com +20,1370417623,10,Announcing MapStruct a new code generator for Java bean mappings,mapstruct.org +2,1370397697,4,Complex Event Processing Comparison,self.java +1,1370391953,4,need if else help,self.java +0,1370390912,4,Peter Seibel on Maven,twitter.com +31,1370386910,12,Oracle to lop off Java s least secure bits to save servers,theregister.co.uk +2,1370383340,5,How do programs save settings,self.java +1,1370382759,4,Enum lt E gt,self.java +13,1370372181,10,Java EE 7 is final Thoughts Insights and further Pointers,blog.eisele.net +5,1370371799,10,All Java EE 7 JSRs have published their Final Releases,blogs.oracle.com +2,1370371654,5,Java EE 7 Deployment Descriptors,antoniogoncalves.org +3,1370368250,23,Beginner Java game Developer here Want to add some others like me on skype so we can help each other build programs together,self.java +10,1370364481,4,Java java code formatter,self.java +7,1370360907,11,WildFly 8 0 0 Alpha1 Release and a Bit of History,java.dzone.com +9,1370352512,9,What is Lambda Calculus and why should you care,zeroturnaround.com +1,1370344960,10,Java EE 6 Web Component Developer Certification Implementing MVC Design,epractizelabs.com +8,1370299300,10,Mapping enums done right with Convert in JPA 2 1,nurkiewicz.blogspot.com +94,1370263944,12,This is my last assignment for my Java unit ready for submission,imgur.com +3,1370262538,7,Short jhat tutorial diagnosing OutOfMemoryError by example,petermodzelewski.blogspot.sg +2,1370261962,7,Multicast file transfer protocol library for java,self.java +13,1370227004,13,Why is the toString method of arrays behavior different than the List class,self.java +9,1370192146,7,Code academy LCtHW like resources for Java,self.java +0,1370185730,4,TOMCAT service is failing,self.java +50,1370176214,4,JVM Performance Magic Tricks,takipiblog.com +13,1370110673,14,Ruby dev looking to lean on Java for performant web services Where to start,self.java +11,1370090454,11,New version of la4j 0 4 0 fast matrix Java library,la4j.blogspot.ru +11,1370087897,6,Where to find more JavaFx styles,self.java +0,1370067827,7,A simple Chaatroom in Java Programing Language,taskstudy.blogspot.com +3,1370063757,8,How to properly handle InnoDB deadlocks in Java,self.java +69,1370038021,13,MongoDB Java Driver uses Math random to decide whether to log Command Resultuses,github.com +5,1370036994,6,Apache ACE distribution framework with OSGi,ace.apache.org +5,1370029735,7,Understanding JSF 2 0 Performance Part 1,content.jsfcentral.com +0,1370028537,4,Head First Design Patterns,codeescapism.com +1,1370015080,5,Images won t get drawn,self.java +0,1370013330,3,Spring Custom Events,hmkcode.com +10,1370009680,13,What s new in JEE 7 blogging from reza rahman s oracle talk,selikoff.net +2,1370003504,8,Java on SPARC T5 8 Servers is FAST,blogs.oracle.com +6,1369998379,16,Maintaining the security worthiness of Java is Oracle s priority The Oracle Software Security Assurance Blog,blogs.oracle.com +28,1369995987,10,r java logo proposal to be featured on the poster,self.java +0,1369977783,11,Java noob here What is the fuss about the API documentation,self.java +0,1369944177,5,What happens in my programs,cdn.uproxx.com +4,1369941772,9,OmniFaces 1 5 Release Candidate now available for testing,arjan-tijms.blogspot.com +20,1369936010,4,SemanticMerge now speaks Java,codicesoftware.blogspot.com +4,1369931325,7,How to create bookmarkable pages using JSF,openlogic.com +0,1369925127,7,Looking For Memebers For A Development Team,self.java +11,1369920905,9,Stackifier for Java Make sense of your stack trace,stackifier.com +0,1369918949,9,Liferay Portal Practical Introduction Updated for Liferay 6 1,phloxblog.in +3,1369914027,7,What s with the hate on gridbag,self.java +0,1369886479,6,Finding a point on an oval,self.java +14,1369880451,39,Coming from c where do I start I m used to Net and Visual Studio What is the best way to dive right in What tools do I need Am I going to weep over not having Resharper P,self.java +7,1369864931,7,Web Developer trying to increase knowledge base,self.java +5,1369860640,13,Looking for some feedback for my little project djinn a graphical dependency explorer,self.java +0,1369859927,12,Hi I am working on a project and I need some insight,self.java +0,1369832532,7,Java Game Help Null In Integer Comparison,self.java +12,1369781188,6,Porting Perl 6 to the JVM,jnthn.net +0,1369768212,14,Text adventure game Need help with picking up items and moving to players inventory,self.java +36,1369763589,9,What code do you find yourself retyping a lot,self.java +3,1369759404,5,Gradle eXchange London October 28th,skillsmatter.com +4,1369754313,4,JEEConf 2013 trip report,branchandbound.net +3,1369743363,15,Some strange behavior with Eclipse RCP EMF GMF and linked diagrams inside a custom project,self.java +0,1369742330,12,Is it possible to find out if this program is already running,self.java +0,1369726936,3,Problem with openjdk7,self.java +7,1369689033,9,JSF choice between legacy components and fashionable performance killers,ovaraksin.blogspot.com +0,1369687445,16,If you have like 15 minutes to spare to write some code in java please help,self.java +0,1369686727,9,Help Cant add subtract multipy or devide in java,self.java +43,1369679921,11,r IntelliJIDEA A subreddit for discussion and assistance for IntelliJ IDEA,reddit.com +14,1369670424,12,Java8 plugin that adds supports for persistent local variables l C99 static,github.com +18,1369668506,10,Proof of Concept LambdaSpec how testing will look with Java8,blog.project13.pl +4,1369664847,12,I have created a scripting language and I am looking for feedback,bitbucket.org +7,1369657741,6,Abstract Class vs Interface in Java,javarevisited.blogspot.com.br +0,1369639404,6,Understanding Dynamic Proxy Spring AOP Basics,javaroots.com +2,1369617551,11,r ProgrammingJokes is new Feel free to post your best Joke,reddit.com +0,1369612846,17,I hate java just leaving this here because I can t find enough people to vent to,i.imgur.com +63,1369594211,9,gag some annotations that will help you express yourself,code.google.com +14,1369586088,7,Joeffice The Open Source Java Office Suite,joeffice.com +9,1369584926,7,New Maven plugins for simpler architecture management,h-online.com +10,1369570532,8,Apache OpenWebBeans 1 2 0 has been released,mail-archives.apache.org +7,1369569496,16,Announce XChart 2 2 0 Released MATLAB theme CSV import export and high res Chart export,blog.xeiam.com +16,1369522806,7,Tuning the Size of Your Thread Pool,infoq.com +11,1369520719,7,A question regarding the programming language Java,self.java +17,1369504487,12,Creating a simple batch job in Java EE 7 using JSR 352,planetjones.co.uk +11,1369497722,10,Implementing LWJGL OpenGL draw method into the Slick2D render method,self.java +23,1369435320,11,I m starting a Java Programming Internship what should I know,self.java +8,1369433131,8,Java EE 7 and JAX RS 2 0,jaxenter.com +1,1369431661,7,Is there an alternate link to Slick2d,self.java +0,1369386373,6,Item 5 Avoid Creating Unnecessary Objects,kodelog.com +6,1369368765,8,Java GC tuning for High Frequency Trading apps,onthejvm.blogspot.sg +50,1369361168,10,Matured Java open source project looking for some extra hands,self.java +7,1369341633,7,Writing acceptance tests with Selenium and Jnario,sebastianbenz.de +5,1369334573,16,Code that calls open also calls close APIMiner now supports examples for methods frequently called together,apiminer.org +0,1369324733,13,Need to hire a Super Sr Java Web developer Location doesn t matter,self.java +15,1369321125,12,JBoss EAP 6 1 Final released and available from public download page,access.redhat.com +4,1369258710,6,JSR 356 Java API for WebSocket,java.dzone.com +0,1369252316,9,setSelected with JRadioButton r new JRadioButton 3 not working,self.java +2,1369230724,10,Avoiding Java memory layout pitfalls with examples and funky tools,psy-lob-saw.blogspot.sg +45,1369229553,13,Useful Eclipse Plugins that didn t made it to the Top 10 list,jyops.blogspot.in +0,1369222140,8,Anyone know of a WYSIWYG editor in Java,flikode.com +1,1369221418,4,MDB messing REST service,self.java +1,1369218196,4,R I P JavaBlogs,osintegrators.com +7,1369192460,2,Network Programming,self.java +0,1369184556,20,Trying to test loading in a sprite from a sprite sheet and getting a null pointer exception Anyone know why,self.java +30,1369175329,14,The Great Java Application Server Debate with Tomcat JBoss GlassFish Jetty and Liberty Profile,zeroturnaround.com +5,1369166518,3,Java vs Scala,self.java +0,1369160407,7,Can t Play Sound More Than Once,self.java +4,1369152083,16,Trying not to re invent the wheel Something like Tasker but in Java xpost r javahelp,reddit.com +3,1369146787,1,Interfaces,self.java +16,1369142344,5,Functional Programming in 5 Minutes,slid.es +2,1369133912,9,Acquiring and releasing cloud servers in Java using JClouds,syntx.co +16,1369121924,10,How to Examine and Verify your Java Object Memory Layout,psy-lob-saw.blogspot.com +8,1369117519,6,Getting Started with RabbitMQ in Java,syntx.co +4,1369091374,7,Switching between data sources when using DataSourceDefinition,jdevelopment.nl +0,1369079836,6,jdk 1 4 thread httpurlconnection example,self.java +11,1369076600,13,Monitoring Memory Usage inside a Java Web Application with JSF PrimeFaces and MemoryMXBean,blog.javabenchmark.org +1,1369073063,11,Is it normal good practice to embed versioning in package name,self.java +0,1369069422,9,New Object Oriented feature I would like to see,self.java +0,1369059579,8,Thumbs db getting returned when searching for PDFs,self.java +5,1369057894,7,Asynchronous logging using Log4j ActiveMQ and Spring,syntx.co +4,1369049504,10,Using Rhinoslider with image and youtube content in JSF pages,kahimyang.info +5,1369048926,5,JSF 2 2 New namespaces,jsflive.wordpress.com +1,1369048545,9,Storing arrays in Infinispan 5 3 without wrapper objects,infinispan.blogspot.com +46,1369047877,7,Five Java Synchronizers you might not know,blog.josedacruz.com +0,1369041671,6,Toggle Key in Java Stack Overflow,stackoverflow.com +2,1369026358,6,Sending MIDI file to a DAW,self.java +0,1369019833,9,Can anyone help me with a Java Programming Question,self.java +6,1368992688,2,DEMUX Framework,demux.vektorsoft.com +0,1368991746,11,Anyone know how to make a Galaga style game using gridworld,self.java +24,1368991041,5,Is intellij better than netbeans,self.java +1,1368979394,5,Please help with netbeans issue,self.java +11,1368976533,8,Apache Wicket 6 5 vs JSF 2 0,codebias.blogspot.com +7,1368965899,8,Understanding Serialization and Constructor Invocations gt Hacking Singletons,kodelog.com +7,1368960484,10,Starting Maven based development of App Engine Endpoints REST services,planetjones.co.uk +0,1368938080,7,How could Scala do a merge Sort,dublintech.blogspot.sg +3,1368928583,9,Landed a Job How can I get even better,self.java +6,1368910891,6,Maven Dependency Plugin 2 8 Released,maven.40175.n5.nabble.com +12,1368870224,8,JSF Performance Mojarra improves dramatically with latest release,blog.oio.de +0,1368855067,6,Question Needing help on a project,self.java +0,1368847818,9,I want to learn Java Where do I start,self.java +4,1368825156,6,Maven Site Plugin 3 3 Released,maven.40175.n5.nabble.com +1,1368807836,13,Java 1 7 Deployment with SCCM MDT Your Java version is insecure workarounds,labareweb.com +13,1368802632,10,Getting Started with JMH a new Java Micro Benchmarking framework,psy-lob-saw.blogspot.com +0,1368799213,5,Spring Config File Best Practices,deepakgaikwad.net +43,1368782539,5,Lambda Expressions The Java Tutorials,docs.oracle.com +0,1368778075,5,Who doesn t uses pojo,qkme.me +1,1368771980,7,JSTL with IntelliJ and Tomcat 7 problem,self.java +4,1368765346,7,Looking for a good Android development tutorial,self.java +0,1368760197,8,QUESTION Reducing number of bytes in an image,self.java +4,1368754222,5,How to distribute my game,self.java +4,1368749819,14,Looking for practice exams for 1z0 804 OCJP7 not braindumps What do you recommend,self.java +0,1368734512,6,Handling string input for a calculator,self.java +0,1368724801,8,QUESTION Simple 3D rendering in a JAVA game,self.java +96,1368699215,14,IntelliJ IDEA is the base for Android Studio the new IDE for Android developers,blog.jetbrains.com +0,1368690592,8,Why Integer MAX_VALUE Integer MAX_VALUE result in 2,self.java +1,1368687219,17,Newbie How do I change the icon of a JTree parent node according to its child nodes,self.java +3,1368666834,22,Game develpoers of reddit I want to create a 3D JAVA game like Minecraft where did you learn to program 3D java,self.java +0,1368627987,6,Invoking EJB3 in WebSphere using Spring,ykchee.blogspot.com +0,1368615191,5,Help with basic Java calculator,self.java +16,1368593604,13,NQP compiler toolkit and Rakudo Perl 6 in NQP being ported to JVM,6guts.wordpress.com +1,1368576000,10,Is Java For Dummies a good resource for learning Java,self.java +11,1368552575,10,Remove all null references from a list in one line,stackoverflow.com +5,1368550513,7,Transactions and exception handling in EJB EJBTransactionRolledbackException,palkonyves.blogspot.hu +0,1368536514,5,Java GUI interface with scroll,self.java +0,1368518455,11,Why the amp does not Java s Deprecated attribute have this,imgur.com +0,1368497360,8,Started the Java Tutorial Built My First App,i.imgur.com +6,1368477520,6,JSF 2 2 Stateless views explained,jsfcorner.blogspot.com +20,1368476760,9,Reactor a foundation for asynchronous applications on the JVM,blog.springsource.org +13,1368468889,6,Jetty 9 0 3 v20130506 Released,jetty.4.x6.nabble.com +3,1368468798,6,Apache Tomcat 7 0 40 released,markmail.org +3,1368462445,7,DIY Java App Server on Redhat OpenShift,dmly.github.io +14,1368456529,6,Garbage Collection in Java part 3,insightfullogic.com +0,1368436806,7,need help passing a string and fast,self.java +21,1368436232,7,What s your all time favorite lib,self.java +27,1368363980,6,Java EE CDI in one page,kodelog.com +9,1368350921,8,Does the new keyword necessarily denote heap allocation,self.java +0,1368319210,19,New to Java And I need some critical help here I don t know whats wrong about my code,i.imgur.com +9,1368313464,3,Web app framework,self.java +6,1368312586,8,Simple Java based JSF 2 2 custom component,jdevelopment.nl +20,1368289827,7,Should package name be plural or singular,self.java +0,1368274533,10,Why isn t Java used for modern web application development,programmers.stackexchange.com +5,1368242308,17,Is it feasible to represent integers or BigIntegers as an ArrayList of the number s prime factors,self.java +14,1368241548,21,Looking for top tier Java books on the same level or higher quality as Head First Java Desperate for good material,self.java +5,1368240222,7,Getting mouse keyboard events without a GUI,self.java +2,1368224138,7,Anyone have experience with the Restlet Framework,self.java +12,1368222080,11,To Scala or Groovy Which is better for a mathematical approach,self.java +7,1368212558,4,JSF Configuration Context Parameters,blog.oio.de +1,1368192617,6,Spring MVC and the HATEOAS constraint,city81.blogspot.co.uk +5,1368188411,34,I have a table inside a scrollPane I m trying to auto scroll to the last row in the scroll pane but it only goes to second to last and hides the last one,self.java +3,1368167581,7,Using Spring PropertySource and Environment in Configuration,blog.jamesdbloom.com +12,1368135289,10,Gil Tene Azul CTO InfoQ talk on JVM inner workings,infoq.com +11,1368122017,6,Apache Tomcat 6 0 37 released,mail-archives.apache.org +3,1368118479,15,Free Java Tutorials For Absolute Beginners Episode 4 JDK Secret Explore CodeMink Life Gadgets Technology,codemink.com +9,1368101063,9,CogPar A Versatile Parser for Mathematical Expressions in Java,cogitolearning.co.uk +2,1368092319,10,How to Cluster Oracle Weblogic 12c via the Command Line,tokiwinter.com +7,1368092050,14,About the rise of the builder pattern in Java JDK 8 s Calendar Builder,javaworld.com +2,1368091434,8,Protocol Upgrade in Servlet 3 1 By Example,weblogs.java.net +31,1368091193,11,Change in version numbering scheme of Java SE 7u14 becomes 7u40,oracle.com +12,1368085461,6,Charlie Hunt Fundamentals of JVM Tuning,emergingtech.chariotsolutions.com +17,1368085393,6,Doug Lea Engineering Concurrent Library Components,emergingtech.chariotsolutions.com +0,1368070931,9,I need a loop that will crash my program,self.java +19,1368058655,6,Memoized Fibonacci Numbers with Java 8,blog.informatech.cr +6,1368057005,5,What is a Java Module,self.java +11,1368052793,9,Java EE 7 JMS 2 0 With Glassfish v4,piotrnowicki.com +9,1368043547,6,Java EE CDI Disposer methods example,byteslounge.com +28,1368038461,9,Should I throw an exception or return a boolean,self.java +0,1368036151,10,I m in highschool doing a Java project help please,self.java +0,1368033880,9,Score big with JSR 77 the J2EE Management Specification,javaworld.com +1,1368029442,11,Video Considerations for using NoSQL technology on your next IT project,skillsmatter.com +0,1368027112,19,Java Runtime Environment Version Selection in the New Java Plug In Technology introduced in Java SE 6 update 10,oracle.com +24,1368023841,7,The Great Java Application Server Debate GlassFish,zeroturnaround.com +1,1368023424,4,Copying Objects Cost Efficiently,self.java +10,1368000768,7,How would I do this in Java,self.java +0,1367975230,7,Can JNA load libraries from a jar,self.java +5,1367974712,9,Has anyone here taken the AP Computer Science course,self.java +9,1367945706,5,Liferay 6 1 custom portlets,self.java +7,1367934579,13,Tomb Raider now runs in jDosBox 3dfx Voodoo 1 emulation ported from MAME,jdosbox.sourceforge.net +7,1367932661,13,Am I right in thinking this is a Java Web App I want,self.java +7,1367929981,6,JPA JPQL Intermediate Queries with NamedQuery,tothought.cloudfoundry.com +0,1367905715,6,Best ways in layman s terms,self.java +1,1367904929,11,help advice for multilingual virtual keyboard X post from r javahelp,self.java +0,1367897940,7,In Need of some Java Programming Help,self.java +0,1367882397,3,g12 homework ArrayLists,self.java +0,1367875393,7,I need help getting shapes to move,self.java +0,1367868113,22,Simple question but I could really use the answer How do I make program run on its own outside of the compiler,self.java +5,1367853987,16,Best Source to learn Java with goal of Android development for a complete beginner to programming,self.java +15,1367834421,2,JVM Internals,blog.jamesdbloom.com +2,1367825720,3,JSF Performance Tuning,blog.oio.de +2,1367808609,8,Your Thoughts Graph DataStructures Boolean boolean bit Arrays,self.java +63,1367794645,7,Java Code To Byte Code Part One,blog.jamesdbloom.com +0,1367794058,4,Java homework help please,self.java +0,1367786678,3,Java instrumentation tutorial,blog.javabenchmark.org +0,1367780890,4,A different clock program,self.java +24,1367766572,8,What Properties in Java Should Have Looked Like,cafe.elharo.com +28,1367705521,7,What is the best Java networking library,self.java +0,1367697027,3,Java for Babies,howtogetrich.com +0,1367639332,7,Optimal way to do a for loop,self.java +8,1367594531,9,Java Enterprise Edition 7 WebSockets but no cloud support,h-online.com +0,1367594421,5,Java EE 7 moves forward,infoworld.com +20,1367573294,11,Integrating WebSockets and JMS with CDI events in Java EE 7,blogs.oracle.com +0,1367536825,9,How can I better understand drawings Graphics in Java,self.java +2,1367531057,8,The Great Java Application Server Debate JBoss AS7,zeroturnaround.com +0,1367529477,16,SpringMVC router Play Rails style routing configuration file for Spring MVC x post from r javapro,resthub.github.io +32,1367524228,10,Play Framework 2 1 The Bloom is Off The Rose,stupidjavatricks.com +6,1367522179,15,Hibernate Validator 5 0 1 and the story behind the missing 5 0 0 Final,in.relation.to +13,1367521857,9,Mark Little s Blog Java EE 7 is approved,community.jboss.org +2,1367521539,7,Proxy Chaining Aspects on Java Dynamic Proxy,dmly.github.io +1,1367520588,9,Creating Rest Services With Rest Easy In Web application,javaroots.com +14,1367514900,32,The Checker Framework enhances Java s type system to make it more powerful and useful This lets software developers detect and prevent errors in their Java programs x post from r javapro,types.cs.washington.edu +4,1367510963,4,Integrating Java with C,m.javaworld.com +15,1367507642,2,Javafx concerns,self.java +0,1367507118,6,Suggestions for existing Java project anyone,self.java +0,1367505932,10,I am new to java and need help and advice,self.java +0,1367445752,2,Eliminating types,self.java +0,1367435178,13,Run test case and test suite generated by Selenium IDE from command line,github.com +0,1367433950,4,Tapestry 5 3 7,tapestry.apache.org +2,1367433880,5,Qi4j SDK Release 2 0,qi4j.org +74,1367373384,4,New Java Decompiler WIP,self.java +0,1367372009,4,Announcing FX Experience Tools,fxexperience.com +2,1367360063,8,Need help keeping the mouse inside a JFrame,self.java +0,1367359332,5,Migrate to 21st century UI,self.java +1,1367358068,5,Requesting advice on Classpath issues,self.java +0,1367357774,15,Confused about updating a JLabel when a user selects a new image via a filechooser,self.java +2,1367348620,3,JEE Archetypes Guidance,self.java +5,1367342496,7,Please explain assets to me in java,self.java +0,1367339070,12,Anything I need to know for the AP Computer Science A test,self.java +5,1367335983,8,Async I O NIO2 question about AsynchronousServerSocketChannel accept,self.java +1,1367335299,8,Staff Availability Project no idea where to start,self.java +0,1367310733,3,Beginner java help,self.java +20,1367305773,7,Java EE 7 JSR 342 is final,blog.oio.de +0,1367281327,15,Can anyone write a script to take images from IG and post on a subreddit,self.java +17,1367270831,6,Apache Commons Codec 1 8 Released,mail-archive.com +0,1367262999,19,jLabel setText problem lt Java gt It s a question I asked somewhere in AskReddit and redirected me here,reddit.com +7,1367262591,11,JSF 2 2 Final Draft Approved Java EE 7 Coming Soon,blogs.jsfcentral.com +8,1367249279,5,Java application accessibility and networking,self.java +11,1367244547,9,Why Java is One of the Best Programming Language,javarevisited.blogspot.com.br +0,1367232761,6,jsp hook in liferay 6 1,javadispute.com +3,1367231805,5,Building a jar in netbeans,self.java +27,1367210396,6,Java nested classes in a nutshell,to-string.com +6,1367182885,15,Im having trouble with hashmaps could someone please explain to me where im going wrong,self.java +1,1367166305,5,Back from JavaOne Russia 2013,technicaladvices.com +0,1367159310,4,Seeking help with project,stackoverflow.com +16,1367152322,6,Apache Camel 2 11 0 Released,mail-archive.com +0,1367152172,7,HttpComponents HttpClient 4 2 5 GA release,mail-archive.com +0,1367149352,8,Help Update text in html from txt file,self.java +10,1367074545,8,JavaEE Next Java EE 7 8 and Beyond,infoq.com +10,1367068739,9,Java RAII and Long Lived objects is it possible,self.java +7,1367013569,8,Asynchronous Loggers for Low Latency Logging apache org,news.ycombinator.com +7,1367011819,5,Java 8 Hold the train,mreinhold.org +25,1367011487,22,Used DrJava to win a simulation AI competition for class in comments link to watch this competition go every hour all night,i.imgur.com +11,1367006629,6,JSR 356 Java API for WebSocket,oracle.com +6,1367005904,9,Is it possible to have a variable for classes,self.java +0,1366992251,7,PingTimeout fr WANTED Stacktraces on Hotspot JVM,pingtimeout.fr +12,1366949887,7,The eclipse plugin CodeRuler Where to download,self.java +27,1366915283,7,The Great Java Application Server Debate Tomcat,zeroturnaround.com +12,1366914238,12,Weld 2 0 0 Final CDI 2 0 Java EE 7 released,in.relation.to +2,1366901114,12,Best way to create a complex data table for a web application,self.java +1,1366897259,5,When an exception gets lost,eclipsesource.com +15,1366883903,7,Swing AWT sufficient to make a game,self.java +2,1366863857,13,Issues with using Java in Runescape Java Platform SE 7 U21 has crashed,self.java +2,1366860477,3,Trivia Game Testers,self.java +1,1366844940,1,Sound,self.java +11,1366843041,14,ModCFML allows for Tomcat hosts to be created based on IIS or Apache configuration,modcfml.org +0,1366827999,22,Lets talk about the main method Is there any real difference between String args String args String args or even String lolz,self.java +0,1366820934,18,Having issues coding an insertion method for a 2 3 4 5 Tree Will pay money for help,self.java +7,1366813874,13,Give Java Caching Standard API a go using Infinispan 5 3 0 Alpha1,infinispan.blogspot.de +11,1366804493,4,Practical introduction to JRebel,code-thrill.com +9,1366783903,15,tbuktu bigint An asymptotically fast version of java math BigInteger x post from r javapro,github.com +10,1366777698,4,Java Networking book recommendations,self.java +1,1366754637,12,Is it possible to compile on the GPU with CUDA or OpenCL,self.java +3,1366752436,4,ADF examining memory leaks,ramannanda.blogspot.com +18,1366749043,6,Apache TomEE 1 5 2 released,blogs.apache.org +26,1366727346,11,Understanding Java Garbage Collection and what you can do about it,youtu.be +13,1366725127,14,Meet my first Github project SqlToJson for mapping SQL query ResultSet into JSON file,self.java +2,1366719700,7,Much ado about null Stop fighting Null,adamldavis.com +8,1366712442,7,NextFlow An Object Business Process Mapping Framework,nextflow.org +12,1366711245,15,Here s a scalable XML document database engine powered by JVM technology take a look,self.java +0,1366692775,4,final exam practice problems,self.java +14,1366682962,6,Tips on becoming a better programmer,self.java +1,1366667323,4,Is there Java 0day,istherejava0day.com +9,1366642190,15,Full Disclosure SE 2012 01 Yet another Reflection API flaw affecting Oracle s Java SE,seclists.org +3,1366641947,3,Java Download down,self.java +0,1366583354,4,Looking to learn Java,self.java +0,1366582744,6,Fractal Generator on Github is FREE,self.java +1,1366566655,5,Simple publish subscribe suing J2SE,self.java +1,1366556630,23,ModeShape distributed hierarchical transactional and consistent data store with support for queries full text search events versioning references and flexible and dynamic schemas,jboss.org +8,1366553065,11,PingTimeout fr Extracting iCMS data from garbage collector logs Hotspot JVM,pingtimeout.fr +70,1366551715,6,Should IBM buy Java from Oracle,self.java +7,1366549291,8,JSF Expression Language EL Keywords and Implicit Objects,javaevangelist.blogspot.gr +6,1366536458,7,Fault injection in your JUnit with ByteMan,blog.javabenchmark.org +43,1366494999,10,Can t think of a good class name Try this,classnamer.com +6,1366454504,8,What is the function of the Toolkit class,self.java +0,1366439557,12,Whats the problem with JSF A rant on wrong marketing arguments JavaServerFaces,reddit.com +11,1366417589,7,Java 8 release delayed until next year,infoworld.com +4,1366412328,7,Role in Servlet 3 1 security constraint,weblogs.java.net +11,1366411858,7,Drools decision tables with Camel and Spring,javacodegeeks.com +4,1366410710,9,Newbie How do you make a run able file,self.java +0,1366410522,12,How you know you have spent too much time looking at code,self.java +21,1366406834,6,Project Lancet Surgical Precision JIT Compilers,github.com +0,1366403661,3,Octagon class optimization,self.java +0,1366400362,4,Minuteproject as a workspace,minuteproject.blogspot.fr +4,1366398682,8,Java makes mobile comeback with Tabris 1 0,h-online.com +0,1366398033,3,Slow Java compiler,self.java +33,1366353913,5,Java 8 will be late,blog.oio.de +0,1366336964,16,Can I get a code review to go over some concepts i m trying to implement,self.java +37,1366302817,6,Java 8 Schedule Secure the train,mreinhold.org +14,1366287748,8,Using Jasper Reports to create reports in Java,jyops.blogspot.in +10,1366281877,3,OOP Newbie Project,self.java +0,1366281829,17,We have a new build screen looking for ideas suggestions on how to maximise it s use,self.java +0,1366261399,3,JAVA Training Noida,self.java +3,1366234327,7,Where to find help for intermediate Java,self.java +6,1366227370,11,Getting Started with Java ME Embedded 3 3 on Keil Board,blogs.oracle.com +12,1366227210,11,Enjoy the magic of asciidoctor in java with asciidoctor java integration,lordofthejars.com +0,1366223744,5,Need help with a project,self.java +15,1366212841,9,The Great Java Application Server Debate Part 2 Jetty,zeroturnaround.com +16,1366210641,7,JSF 2 2 JSR 344 is final,blog.oio.de +24,1366207300,8,Java 7 Update 21 Security Improvements in Detail,blog.eisele.net +0,1366171722,6,Opening the design interface in Eclipse,self.java +2,1366168399,10,Beginner Help with text based RPG saving game and such,self.java +0,1366161412,10,Help with a Guess the Number program using GUI components,self.java +8,1366159283,14,Beginner Finished the MyBringBack Java series on learning Java where do I go now,self.java +2,1366154885,13,Is there a reference similar to Java Precisely for Java SE 6 7,self.java +8,1366144913,25,Beginner question is there a way to communicate like a chat with another PC behind nat without the use of a central or proxy server,self.java +15,1366131623,15,Why does changing the returned variable in a finally block not change the return value,stackoverflow.com +5,1366124724,6,Oracle Java SE Critical Patch Update,oracle.com +3,1366123893,4,Template Pattern Applied KeyStoreTemplate,ykchee.blogspot.com +16,1366121459,6,best practices no op in java,self.java +9,1366115919,7,Video Martin Thompson Performance Testing Java Applications,skillsmatter.com +6,1366100922,6,WordPress A Java Fanboys Red Pill,contentreich.de +1,1366098664,2,Puush Roullete,dl.dropboxusercontent.com +3,1366058961,2,Gridworld Menu,self.java +47,1366037994,7,meta Posting to r java for help,self.java +0,1366035779,2,String Intern,kodelog.wordpress.com +0,1366034581,3,Colorblind assist program,self.java +0,1366032601,2,Research Question,self.java +2,1366030519,4,JBoss EAR Deployment Question,self.java +0,1366026896,7,Document literal style web service with Java,dinukaroshan.blogspot.com +58,1366019783,23,Hey guys I made a Google Reader clone with JavaEE6 and AngularJS Give it a try Also it s open source see comments,commafeed.com +2,1366015203,8,Need to take picture when light is sensed,self.java +0,1365995723,12,How to make an image appear for an elapsed period of time,self.java +2,1365995274,13,Do you put braces in a new line or on the same line,self.java +14,1365993728,2,Java sound,self.java +0,1365989998,8,Cannot figure out how to prune a tree,self.java +1,1365934145,8,need help with action buttons on my work,self.java +0,1365923264,6,Problems with Java RE 7 U17,self.java +2,1365879680,6,Uploading Your Jar to Maven Central,kirang89.github.io +0,1365877575,28,In the following statement what does the int in parentheses mean Also why is it necceasry to have that AND the first int rand1 int Math random oneLength,self.java +0,1365871665,28,Can someone give me a graphics 101 please All of the things on the internet are too far ahead of me because I literally know nothing of graphics,self.java +24,1365866517,7,JUnit the Difference between Practice and Theory,eclipsesource.com +0,1365846483,7,JavaEE 7 with GlassFish on Eclipse Juno,blog.eisele.net +0,1365810771,8,r java Having issues generating random equations se,self.java +0,1365783200,10,Do you have any advice of how to start programming,self.java +0,1365778772,12,Need to create a new Forum page for my website in Java,self.java +0,1365771925,5,What Spring Integration is about,ruchirabandara.blogspot.sg +7,1365769363,4,Gradle Ain t Imperative,gradleware.com +0,1365750175,9,Grails user get current date amp time from controller,grails.1312388.n4.nabble.com +36,1365747802,4,Java 8 Optional Objects,blog.informatech.cr +0,1365738013,24,I m trying to make a GUI class that when a button is pressed launches a main class but it freezes when it launches,self.java +1,1365721900,4,Best beginner java book,self.java +22,1365712506,11,Check that your code is thread safe with JUnit and ContiPerf,blog.javabenchmark.org +0,1365698015,6,If MOS is down then what,blogs.oracle.com +8,1365697994,15,Including 2 versions 64 and 32 bit of the same library in Java NetBeans project,self.java +0,1365697514,13,Why do Java Packages use a DNS Like Naming Convention But in Reverse,self.java +0,1365682787,4,Upgrade to Java 7,self.java +0,1365681120,7,License of com sun files in OpenJDK,self.java +0,1365654467,4,Help with networking lab,self.java +9,1365593889,6,Structs failsafe coming to the JVM,infoworld.com +13,1365573492,7,Where to get java JDK source code,self.java +34,1365542681,9,First 4 Java EE 7 JSRs to go final,blogs.oracle.com +0,1365534132,21,Can someone help me with a Quicksort Algo I have all most Algos working except for quick sort any ideas help,self.java +0,1365519747,8,http databen ch Persistence Benchmark for the JVM,self.java +3,1365512571,7,How to write a tokenizer in Java,cogitolearning.co.uk +0,1365512458,7,Help with simple Java string problem D,self.java +0,1365504890,3,ByteBuffer to String,self.java +0,1365478676,9,Java noob that desperately needs help with multiple things,self.java +79,1365471220,18,UC San Diego Computer Scientists Develop First person Player Video Game that Teaches How to Program in Java,jacobsschool.ucsd.edu +0,1365468747,7,I have a noob question about subclasses,self.java +5,1365458153,6,Happy Releases with Maven and Bamboo,marcobrandizi.info +1,1365454355,6,JVM Biased Locking and micro benchmark,blog.javabenchmark.org +1,1365451281,12,Not sure where to ask this so I will start here arrays,self.java +1,1365449300,9,Which layout manager should I use in this program,self.java +2,1365440776,7,Generating an FXML file from JavaFX code,self.java +5,1365433638,7,Java Applet amp Web Start Code Signing,oracle.com +9,1365432485,3,MyFaces vs Mojarra,blog.oio.de +4,1365426927,5,Java Exception handling best practices,javarevisited.blogspot.com.br +4,1365418695,6,Java s Pattern and Matcher Class,self.java +48,1365401005,10,135 Million messages a second between processes in pure Java,psy-lob-saw.blogspot.com +2,1365397400,16,Can anyone offer insight on using InnoDB s row locking and transactions with Java Oracle JDBC,self.java +1,1365395930,8,How do you match a string with quotes,self.java +0,1365371369,5,Will Pay for Java Help,self.java +2,1365371151,14,What is the fastest way to compare a string to a Set multiword string,self.java +0,1365368851,17,I keep being told that a new Java update is available whenever I start up my PC,self.java +85,1365368463,9,Help me write a better open source Java decompiler,self.java +0,1365366108,6,FishCAT GlassFish 4 Community Acceptance Testing,theserverside.com +4,1365356781,6,Web Services Performance Testing with JMeter,blog.javabenchmark.org +17,1365347508,10,What s new in Java EE 7 s authentication support,arjan-tijms.blogspot.com +0,1365330369,9,Read from command line while program is running Windows,self.java +19,1365321999,5,Apache Struts 1 EOL Announcement,struts.apache.org +0,1365306168,13,Help me be ready for my next interview X post to r learnprogramming,self.java +23,1365304961,7,Metascala a tiny JVM written in Scala,github.com +0,1365290409,23,Making a minecraft mod and when testing it this error pops up despite lwjgl being listed in the libraries folder for the program,self.java +0,1365280161,5,Looking for a java mentor,self.java +15,1365230915,19,This is one of those bugs that could haunt a man to his grave any insight would be amazing,self.java +9,1365210653,6,A little story on Java Monitors,dinukaroshan.blogspot.com +20,1365193571,8,Java EE 7 and JAX RS 2 0,oracle.com +14,1365192467,7,Web Framework Benchmarks Round 2 techempower com,news.ycombinator.com +0,1365171916,6,I don t always throw exceptions,i.imgur.com +0,1365164997,9,IntelliJ 12 1 adds JavaFX 2 better retina support,jaxenter.com +0,1365134871,3,Java while loops,self.java +0,1365127902,9,A little test for you java fans out there,self.java +0,1365085950,7,classes are dead long live to lambdas,weblogs.java.net +6,1365083484,10,Richard Warburton not happy with Java 8 s Lambda API,mail.openjdk.java.net +9,1365083264,11,Want to get started with Java for fun Looking for advice,self.java +16,1365082412,3,Folder Structure Advice,self.java +6,1365047123,6,Newbie JDBC Question regarding DB credentials,self.java +27,1365035260,7,IntelliJ 12 1 adds JavaFX 2 support,jetbrains.com +39,1365017969,10,Unit test I checked in just now waiting for fallout,self.java +3,1364983290,6,Updated Jaybird Firebird JDBC driver Roadmap,jaybirdwiki.firebirdsql.org +23,1364976233,21,Starting with Java SE 7 Update 21 all Java Applets and Web Start Applications should be signed with a trusted certificate,blogs.oracle.com +8,1364962698,9,Embedded JSON database EJDB Java API binding now available,ejdb.org +0,1364961917,3,Generics help please,self.java +6,1364937702,6,Java EE Saviours and Frozen Time,blogs.oracle.com +0,1364925259,5,Need help with sorting words,self.java +0,1364921120,13,What do I need for second form of ID for oracle certification test,self.java +14,1364914616,8,Getting two bytes per ASCII character in Hex,self.java +12,1364897551,10,Is there a way to control chassis fans through java,self.java +0,1364832066,4,JEP 154 Remove Serialization,openjdk.java.net +7,1364824728,10,Top 10 Java Books you don t want to miss,jyops.blogspot.in +37,1364823864,10,Apache Commons FileUpload 1 3 released fix CVE 2013 0248,mail-archive.com +15,1364767653,9,NoSQL Inside SQL with Java Spring Hibernate and PostgreSQL,jamesward.com +1,1364764802,6,ZeroTurnaround Shifts to Open Source Hardware,zeroturnaround.com +7,1364754836,5,Help with Android Location crashing,self.java +11,1364751378,12,Hibernate ORM 4 2 0 Final and 4 1 11 Final Released,in.relation.to +12,1364749380,9,What is the correct way to translate my application,self.java +11,1364731350,10,Github for Binaries Bintray let into the wild by JFrog,jaxenter.com +26,1364664750,10,As a developer I want to use XML extremely easily,kubrynski.com +0,1364644635,3,Creating an explosion,self.java +2,1364612902,12,Java EE 7 and EJB 3 2 support in JBoss AS 8,jaitechwriteups.blogspot.in +0,1364605072,5,JFrame and g drawLine issue,self.java +9,1364591991,8,Is Java s sound API good for games,self.java +5,1364589134,2,SimpleORM whitepaper,simpleorm.org +3,1364586547,2,EMF DiffMerge,wiki.eclipse.org +31,1364585785,6,Apache Tomcat 7 0 39 released,mail-archives.apache.org +6,1364585707,7,Maven Release Plugin 2 4 1 Released,maven.40175.n5.nabble.com +6,1364585257,6,JavaFX 3D Preview for Java 8,youtube.com +4,1364583389,6,Alignment issues using multiple text editors,self.java +0,1364582806,7,Why We Need Lambda Expressions in Java,java.dzone.com +0,1364579186,11,Any real functional fundamental difference between Open jdk and Oracle jdk,self.java +0,1364555933,3,SeaBattle Java beginner,self.java +7,1364551852,8,Rebel Labs interview Sven Efftinge founder of Xtend,zeroturnaround.com +34,1364516770,12,Dollar Java API that unifies collections arrays iterators iterable and char sequences,dollar.bitbucket.org +4,1364512173,25,Problem installing Netbeans on Ubuntu 12 10 no compatible jdk was found however according to java version java version 1 7 0_15 It should work,self.java +0,1364507620,7,Why do people say J2EE or JEE,self.java +0,1364488427,4,Framework Benchmarks TechEmpower Blog,self.java +0,1364476718,3,Securing J2EE Applications,javajeedevelopment.blogspot.fr +11,1364468834,5,Theming in JSF 2 2,jdevelopment.nl +0,1364467766,21,I am looking for a way to use the for loop to iterate through a string but in chunks of 3,self.java +37,1364431415,14,Why does Java switch on ordinal ints appear to run faster with added cases,stackoverflow.com +0,1364418956,6,Need help with coding a question,self.java +2,1364418316,10,On JavaScript and Java s missed potential in the browser,reddit.com +3,1364417592,6,Open source Java iOS tools compared,javaworld.com +3,1364414670,7,Tools to start a new Java project,jroller.com +78,1364396565,4,Everything about Java 8,techempower.com +3,1364395004,8,What is Object Oriented Programming A Critical Approach,udemy.com +0,1364389786,5,Reviewer for Java OOP Interview,self.java +0,1364384751,17,After a couple of years developing raw Java this is how I felt when I met Maven,youtu.be +5,1364371128,5,Periodic Thread Processing in Java,drdobbs.com +93,1364339846,6,Java Scaring Tigers since 5 0,i.imgur.com +3,1364338133,5,Throwing Events in Java Game,self.java +0,1364336822,13,does Anyone know a good music file converter to convert to mp3 format,self.java +4,1364329851,28,Java memory leak detection crucial part of APM applications coded in Java still can leak Tools help but only if their users know how to use them wisely,correlsense.com +1,1364328954,13,Taking the WebSphere Liberty Profile for a spin using Intellij on the iMac,planetjones.co.uk +0,1364324988,9,r java Need your help guys with an assignment,self.java +11,1364316735,16,Scanner vs BufferedReader Is Scanner just a kludge until students are advanced enough to use streams,self.java +3,1364316106,34,r java I need your help I am taking a JAVA class however from what I can tell almost everything I am learning is either bad practice or deprecated Ie Setlayout null setBounds etc,self.java +0,1364315457,4,Inner classes in java,javaroots.com +7,1364306994,3,Gradle build progress,mail.openjdk.java.net +3,1364306344,6,Cryptography Using JCA Services In Providers,ykchee.blogspot.com +33,1364306048,5,JDK 8 Early Access Releases,jdk8.java.net +2,1364304825,14,Step by step guide on How to make use of Nashorn with Java 7,blog.idrsolutions.com +15,1364295288,3,Java and databases,self.java +1,1364292703,10,Best way to open user s browser on double click,self.java +0,1364284778,5,My List template class Improvements,self.java +0,1364260645,5,Getting back in the saddle,self.java +17,1364258916,15,How do I isolate an open source JAR behind an API without introducing version conflicts,self.java +0,1364242803,8,Installing JSF 2 2 on JBoss AS 7,mastertheboss.com +8,1364241532,6,Matching Engine with 1M sec operations,self.java +0,1364240629,5,Configuring CDI with Tomcat example,byteslounge.com +8,1364229114,6,Stateless views in JSF 2 2,jdevelopment.nl +18,1364225885,10,Java 8 Starting to Find Its Way into Net Mono,infoq.com +2,1364218514,6,ReentrantLock vs Intrinsic Lock in Java,javarevisited.blogspot.com.au +0,1364206679,3,Can Anyone help,self.java +0,1364192633,8,Java Hacker Uncovers Two Flaws In Latest Update,informationweek.com +5,1364166037,10,When in the order of opperations does explicit casting occur,self.java +24,1364160483,7,Introducing Kids to Java Programming Using Minecraft,blogs.oracle.com +0,1364152180,10,Taking WAS Liberty Next Profile for a spin in Intellij,planetjones.co.uk +0,1364145506,15,noob alert How change the content of a label once a button has been clicked,self.java +31,1364139834,50,Is the book Java Performance Tuning still relevant It s almost 10 years old now and on a precursory flip through I saw several mentions JVM tricks that are simply outdated Is anyone familiar with this book Is it worth picking up Are there any good books on the subject,self.java +0,1364124049,8,Free but Shackled The Java Trap GNU Project,gnu.org +0,1364071296,10,Error when trying to parse a string as an int,self.java +1,1364066398,6,Looking for feedback on app idea,self.java +16,1364053731,15,Why I have planned to move to Apache TomEE the next generation Java EE server,netbeanscolors.org +0,1364016592,2,ContextClassloader usages,javaroots.com +0,1364010961,8,Developing QnA app using Spring MangoDB and BootStrap,satishab.blogspot.sg +0,1363997009,11,Code in if Statement Not Being Called When Clearly True Help,self.java +9,1363987973,3,Saving Java EE,blog.dblevins.com +0,1363978105,10,Quick question How does the java Hash table generate hashes,self.java +0,1363975474,12,noob alert I need help sending an attachment to my gmail account,self.java +0,1363972566,17,Can I zip up data files in my jar and deploy them when the jar is ran,self.java +0,1363969031,9,Problem with receiving objects with objectinputstream Very strange bug,self.java +0,1363964844,2,Inheritance Question,self.java +0,1363954998,4,Refactor to remove duplication,matteo.vaccari.name +13,1363948738,25,Integrate AngularJS into a Maven based build process and develop automated unit tests and end to end tests with Jasmine and Arquillian for AngularJS applications,blog.akquinet.de +0,1363923983,5,Input from TextFile and StandardInput,self.java +0,1363921507,15,Java email program need to find way of printing quantities of emails with same domain,self.java +0,1363912934,1,Confused,self.java +1,1363893540,2,Using JComboBoxes,self.java +6,1363863605,9,New and Noteworthy in Liberty 8 5 Next beta2,ibm.com +0,1363859276,5,Java Stuff my funny motto,javastuff.blogspot.com +281,1363839493,10,Oracle Corporation Stop bundling Ask Toolbar with the Java installer,change.org +2,1363831032,6,Minipulating and then executing a string,self.java +0,1363828614,5,Observer design pattern removeObserver question,self.java +1,1363819073,4,Monte Carlo simulation help,self.java +5,1363804287,12,Out of curiosity What tools are you using to program in Java,self.java +13,1363800360,16,Why I will use Java EE instead of Spring in new Enterprise Java Projects in 2012,javacodegeeks.com +0,1363790010,10,If Java was a Haskell Part 2 The Type System,java.dzone.com +1,1363785811,2,Java CVE,self.java +1,1363783264,12,JBoss BRMS adding a declarative data model to the Customer Evaluation demo,howtojboss.com +6,1363768560,3,Reasons for IntelliJ,java.dzone.com +18,1363765834,12,How do I make the leap from Java novice to Java intermediate,self.java +7,1363761286,4,Java Puzzle Square root,corner.squareup.com +97,1363755008,1,Bonding,xkcd.com +0,1363727230,4,Help Java Programming Assignment,self.java +0,1363723313,7,I need some help on a project,self.java +3,1363694895,3,ZeroTurnaround Acquires Javeleon,zeroturnaround.com +1,1363693814,5,Groovy 2 1 2 released,jira.codehaus.org +14,1363691487,12,What objects do modern java programmers use for arrays and hash tables,self.java +4,1363689851,4,My Roman Numeral Converter,self.java +0,1363684767,10,Migration of GlassFish Eclipse plugins and Java EE 7 support,blogs.oracle.com +0,1363662943,16,Is there an online Java compiler that isn t buggy as hell and has decent features,self.java +22,1363661789,15,Dependency Injection with Spring Resource Inject or Autowired They re all similar but not identical,flowstopper.org +0,1363631209,2,Duke Images,duke.kenai.com +0,1363629198,8,Want to start from the beginning with Java,self.java +1,1363623207,6,Having issues with java beans OpenJDK7,self.java +0,1363613226,2,constructor help,self.java +16,1363609212,7,Cleaning up from the JDK7 OSX nightmare,self.java +0,1363608420,3,Experts please help,self.java +1,1363598538,13,Whats in a name Reason behind naming of few great projects Part II,javaroots.com +37,1363591432,16,Optimization of a lock free concurrent queue a journey from 10M to 130M updates a second,psy-lob-saw.blogspot.com +0,1363562066,5,Problem with output using GregorianCalendar,pastebin.com +1,1363539783,6,Help with extracting variable from loop,self.java +0,1363532314,3,Java Sound System,self.java +1,1363498557,31,How do I deal with the fact the text is different sizes on different platforms I can make programs on Linux and the text is minuscule on Windows with same program,self.java +1,1363491488,8,Help with User Input and If Else Statements,self.java +17,1363486672,6,Is JSF going to die out,self.java +16,1363438449,12,Red Hat s OpenJDK 6 Play What It Means for SaaS Java,saasintheenterprise.com +0,1363385447,7,Why Not One Application Per Server Domain,adam-bien.com +5,1363384024,6,Eclipse is not able to run,self.java +10,1363381621,7,JSF 2 2 Proposed Final Draft Posted,weblogs.java.net +0,1363363585,18,University CS Student confused out of my mind about linkedlists Any tips tricks that help you understand them,self.java +2,1363361488,10,HSQL SQLServer Hibernate DB ID s won t place nicely,self.java +12,1363354670,9,The Open Closed Principle in review By Jon Skeet,msmvps.com +0,1363321433,16,I have to create a minesweeper game and I m stuck trying to hide the mines,self.java +0,1363308272,16,Having some trouble getting rid of a java program Would anyone be able to help me,self.java +0,1363292167,11,How do I run a pseudo main method with an applet,self.java +0,1363275067,11,How Clojure Babies Are Made Compiling and Running a Java Program,flyingmachinestudios.com +6,1363264032,8,Trouble with loops to make a simple animation,self.java +4,1363260329,11,Code Quality Tools Review for 2013 Sonar Findbugs PMD and Checkstyle,zeroturnaround.com +3,1363225023,19,I would like to get the source code for a java game applet how do I do it freeware,self.java +0,1363211984,3,Java parameter collapse,self.java +16,1363196023,8,There are a dozen known flaws in Java,blogs.computerworld.com +1,1363183474,6,Quick question about Strings and Char,self.java +4,1363174645,7,A different way to do code review,codebrag.com +4,1363149932,9,Lucene amp amp 039 s TokenStreams are actually graphs,searchworkings.org +0,1363124283,16,Interview Tomorrow Need a crash course in Java linked lists and their application in tree structures,self.java +0,1363120025,26,Had some fun with my java programming assignment Thought it was so funny I decided to submit the source code feel free to compile and enjoy,self.java +0,1363118861,9,Learning Java with no dev experience Wish me luck,self.java +0,1363117034,21,Witty Moniker Games Presents Parrotry A free Java sandbox platformer game Link is to my website which contains the download link,wittymoniker.tk +0,1363108288,16,Could someone show me how to set up the for loop for this encryption decryption program,self.java +0,1363104944,4,String to int array,self.java +27,1363097672,20,Can someone explain to me like I m 5 what a hashmap is and how to basically use it Thanks,self.java +0,1363097135,13,Code help How do I lock a tile in a grid lay out,self.java +7,1363090796,3,Question about lambdas,self.java +4,1363082403,8,How to make a class Immutable in Java,javarevisited.blogspot.sg +14,1363074310,5,OmniFaces 1 4 is released,balusc.blogspot.com +2,1363066898,39,In Java especially for Google App Engine how does one create a submit search form that goes to a url e g www website com search Search Terms and have a java class parse the parameters and display html,self.java +0,1363053807,6,help with encryption and decryption project,self.java +0,1363047665,2,Help me,self.java +10,1363046914,8,Jetty 9 released bringing SPDY and WebSocket support,jaxenter.com +5,1363046596,9,Easy extensionless URLs in JSF with OmniFaces 1 4,arjan-tijms.blogspot.com +0,1363039354,9,Oracle censoring NetBeans community polls More info in comments,netbeans.org +0,1363020413,14,Big Data MapReduce on Java 8 collections would be awesome Java User Group London,plus.google.com +0,1363017986,11,How to brush up Java skills on the day before interview,self.java +16,1363005633,3,NLTK for Java,self.java +2,1363005584,10,Enhance a Java swing frame with JavaFx componets or functionality,lehelsipos.blogspot.sg +0,1362991634,1,java,self.java +2,1362991250,9,Monitor OS pauses with jHiccup when benchmarking Java App,blog.javabenchmark.org +1,1362971521,19,In JSoup how can one find select a div class id etc whose name is more than one word,self.java +9,1362924935,10,JPA and CMT Why Catching Persistence Exception is Not Enough,piotrnowicki.com +1,1362923992,7,Why do you enjoy being a developer,self.java +2,1362902136,8,Interested in learning Java where do I start,self.java +0,1362898323,2,Java Commands,self.java +30,1362868984,11,First thing I ve written in Java I m proud of,github.com +2,1362849266,13,Eclipse fails to run after installing java on Linux Mint Any ideas help,self.java +8,1362842916,5,Static Methods and Unit Testing,jramoyo.com +0,1362835254,6,LearnJavaOnline org Free Interactive Java Tutorial,ergtv.com +0,1362824671,2,Need help,self.java +21,1362796795,4,Java on iOS finally,jaxenter.com +0,1362791864,17,If I am running windows 8 should I download the 32 or 64 bit version of eclipse,self.java +0,1362784442,8,JBoss EAP alpha binaries available for all developers,community.jboss.org +4,1362775425,17,What skills will get a premium pay rate for Java Developers over the next couple of years,self.java +44,1362766075,6,Is the Spring Framework still relevant,self.java +0,1362760956,9,After consulting North Korea on how to keep customers,imgur.com +5,1362748901,4,JAXConf US goes free,jaxenter.com +1,1362738936,8,Three year Java abstinence there and back again,zeroturnaround.com +0,1362735550,9,Sins of GWT a k a Merits of JSF,blog.terrencemiao.com +0,1362729690,21,A question on Recursion I got my code working but it s not printing the way the question asks Any hints,self.java +13,1362686339,10,ModelMapper A simple object mapping library Useful or too simple,modelmapper.org +0,1362682489,13,If I have multiple reddit tabs open does that make me a thredditor,self.java +0,1362667987,8,OracleHelp JavaHelp HelpGUI 3 help systems for Java,helpinator.com +13,1362667023,11,4 Things Java Programmers Can Learn from Clojure without learning Clojure,lispcast.com +30,1362662307,15,Install me maybe The ZeroTurnaround devs produce a fun parody video to Call me maybe,youtube.com +27,1362657259,6,Continuous Performance and JUnit with ContiPerf,blog.javabenchmark.org +0,1362633526,23,So I take APCS but my teacher can t explain to me how to use a scanner method or explain how it works,self.java +5,1362619000,6,Trying to generate a regex programatically,self.java +9,1362611069,6,Garbage Collection in Java Parallel Collection,insightfullogic.com +6,1362611041,6,Merging Queue ArrayDeque and Suzie Q,psy-lob-saw.blogspot.com +6,1362585526,9,Hibernate manages to fix bug After nearly 7 years,hibernate.onjira.com +8,1362584230,10,Online Counter Days since last known Java 0 day exploit,java-0day.com +38,1362582780,18,JEP 178 package a Java runtime native application code and Java application code together into a single binary,infoworld.com +9,1362582526,12,XChart Release 2 0 0 Bar Charts Themes Logarithmic Axes and more,blog.xeiam.com +7,1362581391,9,Oracle Rushes Emergency Java Update to Patch McRAT Vulnerabilities,threatpost.com +22,1362579978,11,Prompted by Oracle Rejection Researcher Finds Five New Java Sandbox Vulnerabilities,threatpost.com +6,1362564492,8,JBoss EAP is it Open Source French translation,translate.google.com +1,1362560450,11,How to run lines in intervals or make a program wait,self.java +0,1362535272,22,How would I separate a single line of input into different variables while using a Scanner to read data from a file,self.java +2,1362518541,7,Twitter open sources Java streaming library Hosebird,h-online.com +7,1362502234,8,Any good project to see other s code,self.java +4,1362500855,5,Security Alert CVE 2013 1493,oracle.com +0,1362499577,11,java How to avoid using ApplicationContext getBean when implementing Spring IOC,stackoverflow.com +0,1362493583,19,Not sure if this is the right subreddit but I don t really understand what the return command does,self.java +3,1362487215,16,Java Raspberry Pi Mocha Raspberry Pi Hacking with Stephen Chin Oracle Evangelist and Java Rock Star,blog.jaxconf.com +3,1362484716,10,JRebel 5 2 Released Less Java restarts than ever before,theserverside.com +0,1362452059,4,Help with an exercise,self.java +0,1362436343,9,Need help with java very new to the language,self.java +19,1362434705,14,Java SE 7u17 Fixes 0 day exploits CVE 2013 0809 amp CVE 2013 1493,oracle.com +0,1362429661,4,Netbeans has surpassed Eclipse,self.java +0,1362428879,4,A star Java code,self.java +1,1362427187,10,Managing configuration of the EAP6 JBoss AS7 with CLI scripts,blog.akquinet.de +0,1362420025,8,DAE have problems with WatchService on Windows 7,self.java +0,1362411939,13,Would this program work in finding out my grade for a given class,self.java +0,1362399107,5,JVM Crash Core Dump Analysis,itismycareer.com +0,1362381437,9,How would you respond to these java interview questions,self.java +0,1362381273,8,N O V A 3 JAR All Resolutions,jar4mobi.blogspot.com +0,1362373525,4,Highschool level java questions,self.java +0,1362364514,10,Beginner Java Int to String or Char Can you help,self.java +0,1362330923,14,Is there a Java library for immutable collections that isn t Google s Guava,self.java +113,1362326971,7,Why does this code print hello world,stackoverflow.com +0,1362289297,2,Constructor help,self.java +0,1362287904,4,Need Help With Error,self.java +0,1362286711,14,Is it possible to change this nested for loop to a nested while loop,self.java +2,1362277755,3,Mac and Java,self.java +1,1362266953,8,Virtual Developer Day Fusion Development ADF March 5th,self.java +44,1362263128,9,Oracle Brings Java to iOS Devices and Android too,blogs.oracle.com +3,1362237363,7,Write your own profiler with JEE6 interceptor,blog.javabenchmark.org +9,1362220470,10,JVM performance optimization Part 5 Is Java scalability an oxymoron,javaworld.com +5,1362204101,4,Good game making tutorial,self.java +0,1362193910,4,Could use some help,self.java +1,1362183699,6,HTTP JSON Services in Modern Java,nerds.airbnb.com +2,1362180973,7,White Black listing Java Applets on websites,self.java +50,1362180723,5,Eclipse 4 2 SR2 released,jdevelopment.nl +0,1362176240,7,Java Source Code Tic Tac Toe Game,forum.codecall.net +0,1362165603,5,JavaScript Charts for Java Developers,java.dzone.com +0,1362155203,3,Why Lambdas Suck,blog.jaxconf.com +3,1362153345,6,Servlet Monitoring with Metrics from Yammer,blog.javabenchmark.org +2,1362148405,7,Looping bug in jdk1 6 0 u31,self.java +7,1362143768,9,Glassfish 3 1 2 2 Web Service Memory Leak,blog.javabenchmark.org +0,1362142016,10,How to Swap two integers without temp variable in Java,javarevisited.blogspot.com.au +52,1362138711,5,Yet Another Oracle Java 0day,blog.fireeye.com +4,1362124214,3,Advanced ListenableFuture capabilities,nurkiewicz.blogspot.com +0,1362097196,9,Help jar resolution is too big for my screen,self.java +6,1362085425,5,JSF is going spec Stateless,weblogs.java.net +18,1362071259,6,Open source Java EE kickoff app,jdevelopment.nl +9,1362065214,5,Vert x on Raspberry Pi,touk.pl +14,1362055017,3,Benchmarking With JUnitBenchmark,blog.javabenchmark.org +1,1362052992,13,Ask Toolbar Checkbox requires hitting the box itself is this a new thing,self.java +37,1362031780,12,Microsoft EMC NetApp join Oracle s legal fight against Google on Java,infoworld.com +14,1362015802,13,Pet Java Web Application Projects where do you prefer to have them hosted,self.java +3,1362010990,13,Unable to Connect to Database If I read that line one more time,self.java +1,1362000699,9,Looking for a replacement for JNetPcap or implementation advice,self.java +2,1361986770,12,Need help getting String int to display a running count on JLabel,self.java +0,1361967754,8,Spring for Apache Hadoop 1 0 Goes GA,blog.springsource.org +21,1361958839,10,Pencils down Solutions to our Pat The Unicorns Java puzzle,zeroturnaround.com +4,1361935522,13,A great organization that advocates coding in schools x post from r codepros,code.org +1,1361933309,10,Example of java to MySQL communication Simple swing MySQL interface,reddev34.blogspot.com +2,1361926527,13,How do properly I use threads while looping video to JPanel using JavaFX,self.java +6,1361924272,8,Negative side effects of javac targetting old versions,self.java +2,1361923722,11,I m learning java in college but I need some help,self.java +0,1361919293,3,WebLogic Logging Configuration,middlewaremagic.com +2,1361915467,5,Printing character arrays in applet,self.java +87,1361912394,13,Why myInt myInt myLong will not compile but myInt MyLong will compile fine,stackoverflow.com +10,1361906341,15,JavaBuilders Declarative Swing UIs with YAML On a mission to maximize Java UI development productivity,code.google.com +3,1361883970,7,How do I disable dithering in Java2D,self.java +0,1361882991,10,5 Things a Java Developer consider start doing this year,jyops.blogspot.de +43,1361875880,11,New holes discovered in latest Java versions Tuesday 2013 02 26,h-online.com +27,1361864722,4,Shazam implementation in Java,redcode.nl +0,1361851520,3,d 2f n,self.java +3,1361847206,9,making pascal s triangle using 2d arrays and recursion,self.java +0,1361844564,17,Need help with a basic java program like super basic Maybe a minute of an experts time,self.java +4,1361840847,4,Java and Slick 2d,self.java +48,1361839200,7,Usage of Java sun misc Unsafe class,mishadoff.github.com +1,1361792318,9,Demo Spring Insight plugins for Spring Integration and RabbitMQ,java.dzone.com +0,1361767405,19,Ok so I m having a polymorphism test tomorrow in my AP Computer Science class I need help urgently,self.java +18,1361740619,25,Rest services a developer workflow for defining data and REST APIs that promotes uniform interfaces consistent data modeling type safety and compatibility checked API evolution,github.com +5,1361739394,19,Apache OpenWebBeans Java EE CDI 1 0 Specification JSR299 TCK compliant and works on Java SE 5 or later,openwebbeans.apache.org +18,1361719748,3,Java 7 WatchService,javacodegeeks.com +25,1361718676,8,Martin Fowler on Schemalessness NoSQL and Software Design,cloud.dzone.com +18,1361665835,7,Netbeans or Eclipse Which do you use,self.java +21,1361654496,9,SECURITY CVE 2013 0253 Apache Maven 3 0 4,maven.40175.n5.nabble.com +0,1361651676,8,Brief comparison of Java 7 HotSpot Garbage Collectors,omsn.de +0,1361649082,6,Almost done with Head First Java,self.java +0,1361635054,8,NEED HELP Searching Array not working HOMEWORK HELP,self.java +26,1361620819,7,Rails You Have Turned into Java Congratulations,discursive.com +2,1361582535,9,The minecraft creators mojang brought the slick2d site down,twitter.com +2,1361563592,4,OpenJDK wiki system preview,wiki-beta.openjdk.java.net +104,1361562340,10,Almost halfway through sams teach yourself java Its going well,imgur.com +5,1361553128,45,Please explain like I m 5 years old why can t any given JAR be made to run on a different OS platform than the one for which it was written Why can t a JAR made for Windows be made to run under Android,self.java +2,1361546665,7,Serialization of Array of Serializable Objects Problem,self.java +8,1361539882,6,Books that every developer must read,femgeekz.blogspot.in +4,1361505027,5,Splitting a task via threading,self.java +0,1361498419,9,I feel like a MASSIVE noob but any help,imgur.com +0,1361498174,8,Help with sending information to a text file,self.java +0,1361478661,19,Newbie question here how do I you write a call in one method to a method in another class,self.java +75,1361467304,5,Trying to reinvent a b,self.java +1,1361454089,6,Pattern matching in Scala 2 10,eng.42go.com +0,1361433418,5,Java libraries in plain English,self.java +6,1361427727,50,I ve ported a moderately sized application to Java and I d like to distribute it but I don t want the user to have to install anything on their machine just double click and go Have I shot myself in the foot by planning on this method of distribution,self.java +4,1361420165,7,How to continue and expand my knowledge,self.java +24,1361410374,4,JDK8 developer preview delayed,mail.openjdk.java.net +5,1361394524,12,Interested in an easy to use code review tool Check out Codifferous,codifferous.com +14,1361365501,5,JavaFX 3D Early Access Available,fxexperience.com +4,1361364828,13,TCK access controversy chat with JPA 2 1 Expert Group member Oliver Gierke,jaxenter.com +0,1361335355,9,Need some help with working with classes and methods,self.java +1,1361334306,6,Java Plugin on Localhost using jprofiler,self.java +5,1361307269,12,Updated Release of the February 2013 Oracle Java SE Critical Patch Update,oracle.com +18,1361306833,9,Java SE Development Kit 7 Update 15 Release Notes,oracle.com +0,1361304838,5,Help Beginner Java Programming Assignment,self.java +12,1361303466,9,Has anyone developed UIs with JavaFX without getting frustrated,self.java +7,1361303007,5,Java EE 7 Maven Coordinates,wikis.oracle.com +11,1361302366,8,Introducing jenv a command line Java JDKs Manager,gcuisinier.net +0,1361299350,5,Spider Solitaire implementation for Java,self.java +0,1361293002,6,Looking for help getting into java,self.java +0,1361290710,13,Kickstarter to create Clojure screencasts Learn the most powerful language on the JVM,kickstarter.com +4,1361287653,6,The Heroes of Java Marcus Hirt,blog.eisele.net +25,1361280293,5,java util concurrent Future Basics,nurkiewicz.blogspot.ie +11,1361267490,6,Magical Java Puzzle Pat The Unicorns,zeroturnaround.com +0,1361254964,30,An American teacher Mary Herberth explains all the basic concepts of Java in a single class class as in both a school class and Java class in a naughty way,theladyteacher.blogspot.in +0,1361239620,5,Converting Integers to Binary Question,self.java +6,1361234761,8,Best coding environment for high school AP course,self.java +1,1361213171,12,Make a browse button and get chosen directory without selecting a file,self.java +0,1361209853,6,Help creating a url randomizing script,self.java +0,1361199738,5,International travel for Java Developers,self.java +4,1361197412,20,Discussion request If there is one Java library API class you really hate which one is it Here is mine,self.java +27,1361164051,19,A bit of a vague question but why does Java as a language draw so much hate and scorn,self.java +0,1361150200,4,Help with java program,self.java +0,1361127236,3,Pathfinding Unknown Environment,self.java +10,1361120947,10,What parser is the best for parsing HTML in Java,self.java +7,1361108479,22,WebJars are client side web libraries e g jQuery amp Bootstrap packaged into JAR Java Archive files x post from r javapro,webjars.org +1,1361101993,7,This week in Scala 16 02 2013,cakesolutions.net +3,1361081525,8,how to use jsoup to select certain lines,self.java +15,1361076328,11,So I want to write a server for a Java game,self.java +0,1361061096,3,Linear congruential generator,self.java +0,1361054104,7,PSA Anyone That Actually Enjoys Network Programming,self.java +1,1361049039,5,Best Java free java profiler,self.java +0,1361037075,9,Adding Spring lowers the quality of Java EE applications,infoq.com +0,1361033634,5,I can t uninstall java,self.java +0,1361031407,9,CAST Adding Spring Lowers the Quality of JEE Applications,infoq.com +1,1360982854,2,About Java,aboutjava.net +2,1360975390,6,Apache Ivy 2 3 0 released,mail-archive.com +9,1360975339,7,Apache Commons Daemon 1 0 13 released,mail-archive.com +0,1360966835,11,Help with creating specific input process for The Game Of Life,self.java +3,1360949258,18,Hibernate fail Using FetchType EAGER with ElementCollection gives you multiple time the same entity Answer Not A Bug,hibernate.onjira.com +7,1360932233,4,Symmetric Encryption in Java,blog.palominolabs.com +8,1360921268,18,Can somebody confirm deny this for me Does an array READ at a specific index block other threads,self.java +1,1360917110,17,How to solve Plugin execution not covered by lifecycle configuration error in Eclipse and the m2eclipse plugin,java4developers.com +1,1360917083,6,Series About Java Concurrency Pt 6,mlangc.wordpress.com +3,1360916692,3,Fizz Buzz Eficiency,self.java +1,1360893573,9,Help creating a web service using Java and Axis2,self.java +1,1360885538,6,Pathfinding using flow fields in Java,youtube.com +0,1360877796,2,Interface Question,self.java +3,1360870403,4,Stateless JSF short note,balusc.blogspot.com +3,1360870063,8,EasyCriteria 2 0 JPA Criteria should be easy,uaihebert.com +100,1360866391,4,Happy Valentine s Day,imgur.com +0,1360862735,11,Does anyone here have any idea what this error message means,i.imgur.com +5,1360859501,9,Effective Java by Bloch any exercises in the text,self.java +0,1360838400,12,Anyone come across any tooling plugins for editing LESS files within Eclipse,self.java +12,1360810649,5,Best high school Java textbook,self.java +0,1360801412,7,Looking for some help with unit collision,self.java +9,1360792791,5,Java IDE that allows notes,self.java +2,1360771955,10,Learning bits and bytes java io Console broken in Eclipse,learningbitsandbytes.blogspot.com +1,1360768866,6,Series About Java Concurrency Pt 5,mlangc.wordpress.com +1,1360768764,12,Made a notepad out of boredom but having problems implementing some features,self.java +28,1360757906,10,IntelliJ IDEA 12 Wins Jolt Award for Coding Tools 2013,blogs.jetbrains.com +3,1360748852,12,Are there any good websites for learning Swing and graphics API s,self.java +1,1360747220,7,Alignment Concurrency and Torture in the JMM,psy-lob-saw.blogspot.co.uk +1,1360727626,7,Preserving JSF Request Parameters and REST URLs,ninthavenue.com.au +6,1360724473,9,Is there anything like codeacademy that teaches Java interactively,self.java +19,1360714150,16,I have created r Slick2D Join us in building a community around this Java graphics library,reddit.com +42,1360708328,6,Java 8 From PermGen to Metaspace,java.dzone.com +4,1360707020,13,Uncaught Java Thread Exceptions 3 ways to install default exception handler for threads,drdobbs.com +8,1360701991,16,Updates to February 2013 Critical Patch Update for Java SE The Oracle Software Security Assurance Blog,blogs.oracle.com +6,1360674484,6,Need help finding a Java Developer,self.java +0,1360672733,7,5 Concurrent Collections Java Programmer should know,javarevisited.blogspot.com.au +0,1360658923,10,Java developer for hire in the Leiden region the Netherlands,self.java +0,1360634155,29,I want to write a valentine s day card with some java code for my boyfriend and was wondering if anyone could tell me how to do it correctly,self.java +5,1360622719,4,Need Better Graphics System,self.java +1,1360620374,11,Apache Syncope is an Open Source system for managing digital identities,syncope.apache.org +47,1360591334,10,IntelliJ IDEA 12 Wins Jolt Award for Coding Tools 2013,drdobbs.com +13,1360583302,7,10 Online Snippets to Test your Coding,smashinghub.com +1,1360567073,7,Generating Sitemaps Using Spring Batch and SitemapGen4j,jramoyo.com +0,1360562831,6,BriteSnow on Jetty Quick Start Guide,mydailyhash.wordpress.com +8,1360548365,6,First Step on Legacy Code Classifying,coding.abel.nu +0,1360545719,9,Make a runnable jar that includes the java file,self.java +0,1360519574,15,Please help me with solving a Java issue while setting up minecraft server with Bukkit,self.java +2,1360486453,11,Green forest addition for JEE amp Spring with Action Handler architecture,code.google.com +0,1360444809,6,Help in learning custom exception handlers,self.java +8,1360440088,3,A java crawler,github.com +0,1360439427,13,Looking to transition into game development in Java struggling to find suitable tutorials,self.java +30,1360437946,13,With possibly outdated J2EE skills how to land a job with current technologies,self.java +0,1360435557,12,Dependometer performs a static analysis of physical dependencies within a software system,source.valtech.com +4,1360430882,7,Trying to view bytecode for a class,self.java +7,1360414619,11,Are there any toolchains for Java similar to the Go toolchain,self.java +19,1360387498,6,WeatherAPI platform agnostic live weather platform,github.com +0,1360367018,3,Hash codes question,self.java +4,1360359469,4,Canvas based GUI Input,self.java +4,1360353165,11,The correct way to use integration tests in your build process,zeroturnaround.com +3,1360348953,6,On the Dark Side of Craftsmanship,architects.dzone.com +0,1360342064,21,meta If you can t be bothered to format the code in your post correctly I m not going to answer,self.java +0,1360340558,6,Need help with JConsole JMX remote,self.java +0,1360333703,9,How to lock up Swing UI during asynchronous operation,self.java +0,1360329238,7,Learning bits and bytes Suppressing JExcel warnings,learningbitsandbytes.blogspot.com +0,1360325901,6,Scala is better than injection framework,blog.scaloid.org +21,1360304659,5,Java Enum implementing an Interface,byteslounge.com +13,1360272648,7,The fork join framework in Java 7,h-online.com +21,1360268935,11,Litte framework to create Java programs that behave like Linux daemons,github.com +0,1360265242,21,xpost from r javahelp I keep getting a NaN value when dividing and can t figure out where it s happening,reddit.com +0,1360260019,12,images not loading when using java sockets to make a proxy server,stackoverflow.com +0,1360257409,9,Hello I need some help with a class assignment,self.java +0,1360254164,7,Weird bug teacher can t find issue,self.java +4,1360248675,8,Java looping bug details Where is bug 7070134,self.java +3,1360243080,15,Java Spotlight Episode 119 Emmanuel Bernard on JSR 349 Bean Validation 1 1 emmanuelbernard jcp,blogs.oracle.com +6,1360215196,5,Need help for potential interview,self.java +0,1360210208,3,Trouble with classes,self.java +0,1360202219,5,Tic Tac Toe Java Tutorials,forum.codecall.net +1,1360201483,4,Upcasting downcasting Java Tutorials,forum.codecall.net +0,1360186811,14,New to programming not sure what the Syntax error is on this Help please,self.java +5,1360170195,5,PrimeFaces 3 5 RC1 Released,blog.primefaces.org +0,1360163023,5,Oracle releases Java patch update,infoworld.com +3,1360160070,4,The Future of IcedTea,blog.fuseyism.com +216,1360157768,10,3 000 sign petition to remove Ask Toolbar from Java,jaxenter.com +0,1360137599,4,IcedTea6 1 12 Released,blog.fuseyism.com +1,1360131703,8,Trying to multiply a 2x2 matrix please help,self.java +16,1360107393,2,Why Java,self.java +1,1360106690,4,Still learning any suggestions,self.java +0,1360096267,8,Cannot add platform crEme to netbeans Please help,self.java +1,1360094867,4,Looking for Java Assertions,self.java +0,1360093491,6,Recommended Books Reading Tomcat Java Admin,self.java +0,1360085731,16,Do I still need JAVA installed Where am I likely to have a problem without it,self.java +0,1360085333,8,Security holes in java 6u39 vs java 7u13,self.java +2,1360078327,5,Online courses for Java EE,self.java +0,1360067262,10,I Didn t Ask for a Toolbar with That Java,weblogs.java.net +163,1360065237,6,Petition Stop bundling crapware with Java,change.org +0,1360047379,19,The Firebird JDBC team is happy to announce the release of Jaybird 2 2 2 also available on maven,firebirdsql.org +1,1360037965,6,Defensive API evolution with Java interfaces,blog.jooq.org +0,1360037882,17,What are the different Java GUI toolkits that exist and what are the pros cons of them,self.java +11,1360031680,9,Introducing a new Java framework for web development Micro,self.java +1,1360010002,7,Drools decision tables with Camel and Spring,toomuchcoding.blogspot.com +0,1360007284,12,Where is the best place to learn programming in Java from scratch,self.java +0,1360002859,12,Can somebody please tell me what I m doing wrong Noob Alert,self.java +0,1359997237,11,Maxine VM presentation at the Summer School of ECOOP 2012 PDF,wikis.oracle.com +3,1359987084,9,Java and Java EE Best Practices I m lost,self.java +77,1359980876,11,Java 6 now end of life time to move to 7,blogs.infosupport.com +0,1359967145,9,Jaybird 2 2 2 Firebird JDBC driver is released,firebirdnews.org +0,1359954656,3,Generating random number,self.java +13,1359946324,24,I remember reading a long time ago about a game that involved coding in Java Anyone have an idea what I m talking about,self.java +0,1359937309,9,How can I check if a process is running,self.java +13,1359927424,11,Does anyone know of a good website for practicing Java regex,self.java +1,1359896851,16,JDBC Realm and Form Based Authentication with GlassFish 3 1 2 2 and Primefaces 3 4,blog.eisele.net +0,1359871271,14,Noob here can someone please help on creating a word dictionary with 2 classes,self.java +0,1359866868,17,Is anybody else using the early access JDK8 builds and finding the compiler to be incredibly fragile,self.java +9,1359857771,6,Any good alternative to knowledgeblackbelt com,self.java +1,1359839947,17,Book Says This References Existing Class I m Sure It Makes a New One Who is Right,self.java +10,1359837825,11,How to parallelize loops with Java 7 s Fork Join framework,omsn.de +1,1359835888,5,Spring Social Api Providers list,github.com +2,1359830411,9,How do I make an image follow another image,self.java +0,1359826550,17,After being p0wn3d Twitter suggest users encourage users to disable Java on their computers in their browsers,blog.twitter.com +0,1359808511,10,Eclipse in Space Talking RCP and Robotics with Tamar Cohen,jaxenter.com +51,1359792763,7,A Java 8 Project Lambda feature summary,sett.ociweb.com +1,1359764433,9,JButton apocalypse Death of the JButton next gen gui,forum.codecall.net +0,1359759745,9,Up to date Java Library Benchmarks for Decoding Base64,self.java +5,1359759596,3,Gradle 1 4,h-online.com +2,1359757509,5,Java Developer Need Title Suggestions,self.java +0,1359753861,10,Noob here Adobe Edge animations not starting plase halp mooltipass,self.java +24,1359752676,9,Oracle Java SE Critical Patch Update Advisory February 2013,oracle.com +1,1359743311,7,Application Servers play musical chairs in 2013,zeroturnaround.com +5,1359738759,7,RichFaces 4 3 0 Final Release Announcement,bleathem.ca +4,1359721896,8,Difference between Heap and Stack memory in Java,javarevisited.blogspot.in +1,1359720199,6,The IP SQUARE Commons Java Libraries,mlangc.wordpress.com +2,1359690374,4,First steps towards graphics,self.java +1,1359687129,4,Help with permutation program,self.java +1,1359679621,11,Java blocked in Safari on 10 6 x 10 8 x,derflounder.wordpress.com +0,1359668013,9,Am I Doing It Right First Java Programming Homework,i.imgur.com +58,1359666228,19,What are the java essentials that you NEED to know if you want to get a job programming java,self.java +0,1359652743,10,Request Write a small helpful program Not sure of difficulty,self.java +0,1359642973,1,MineSweeper,self.java +0,1359634423,7,Gradle JavaFX Plugin 0 2 0 Released,speling.shemnon.com +3,1359582492,8,Noob question Using third party libraries in Java,self.java +0,1359553471,5,Caching with Spring Data Redis,blog.joshuawhite.com +0,1359495744,6,Firebird JDBC driver ported to Android,firebirdnews.org +0,1359490145,4,Concerning NAT Hole Punching,self.java +93,1359487454,8,Oracle will continue to bundle crapware with Java,computerworld.com +2,1359483671,8,Fixing The Inlining Problem by Dr Cliff Click,azulsystems.com +0,1359480470,7,Math class issues Clarification would be appreciated,self.java +0,1359478827,9,Need help with a REGEX pattern xpost r regex,self.java +25,1359462733,7,How aggressive is method inlining in JVM,nurkiewicz.blogspot.com +4,1359434067,3,Trouble with nonstatic,self.java +5,1359418375,6,Working with jzy3d 3 d graphs,self.java +1,1359408191,8,Help Supernoob need help with defining exact match,self.java +0,1359387550,6,Java Mutiple Class w parameters help,self.java +0,1359387063,45,Java servlet spec defines ISO 8859 1 as the default character encoding for POST requests which might cause problems in environments using UTF 8 as default This post describes a resolution for the issue in a multi application server environment with Guice s servlet module,blog.eluder.org +50,1359379517,8,We will fix Java security pledge Oracle devs,jaxenter.com +1,1359350903,13,We Reached the 1000 mark keep it going Check out my java project,kck.st +0,1359335506,8,Offer online introductory java course from r javahelp,reddit.com +0,1359333529,7,Configuring Notepad as a nifty Java IDE,quarkphysics.ca +0,1359330318,7,Mirroring an image over y height 2,self.java +0,1359329586,6,How to start programming in java,self.java +0,1359326482,14,Listing a directory on the class path when it s in a Jar archive,self.java +0,1359317474,16,Stackoverflow Tools Eclipse Plugins to generate DAO s Pojo s and JSP s from MySql tables,stackoverflow.com +13,1359299924,16,Is this a good enough random algorithm why isn t it used if it s faster,stackoverflow.com +29,1359292570,5,Building a Raspberry Pi Cluster,blog.afkham.org +0,1359287929,12,How Can Cloud IDEs Save Your Time Build and Deploy Part 2,cloudtweaks.com +0,1359268278,9,Why won t this code work Frozen While loop,self.java +0,1359230147,6,I made a sweet Java app,dl.dropbox.com +1,1359213617,11,MongoDB How to limit results and how to page through results,blogs.lessthandot.com +0,1359211095,7,Efficient way to create strings in Java,ravisrealm.tumblr.com +0,1359210463,4,Hyperscala a chat example,scala-topics.org +1,1359200784,6,Pentaho Reporting lib for generating reports,github.com +1,1359198177,8,Axon Framework 2 0 helps Java applications scale,h-online.com +1,1359198026,6,Eclipse Foundation announces Hudson 3 0,h-online.com +20,1359169142,2,Big Arrays,omsn.de +1,1359151828,13,NoSQL Unit is a JUnit extension that helps you write NoSQL unit tests,github.com +14,1359151643,18,ThreeTen project provides a new date and time API for JDK 1 8 as part of JSR 310,threeten.github.com +0,1359151529,9,unix4j implementation of Unix command line tools in Java,code.google.com +1,1359151123,6,Gressil Safe daemonization from within Java,github.com +3,1359150813,9,Need some help accepting input from the command line,self.java +1,1359127108,4,In Support Of Maven,theexceptioncatcher.com +30,1359118495,5,Groovy 2 1 is released,glaforge.appspot.com +1,1359111617,10,How to Modify json with GSON without using a POJO,stackoverflow.com +0,1359109996,7,Hello World not compiling in eclipse S,self.java +7,1359108882,5,Groovy 2 1 is released,self.java +2,1359085351,5,Is Java similar to C,self.java +1,1359047344,5,Logging in Java part 4,blog.zololabs.com +5,1359040097,9,nealford com Why Everyone Eventually Hates or Leaves Maven,nealford.com +12,1359030164,8,How to track lifecycle changes of OSGi bundles,eclipsesource.com +34,1359021319,14,Sometimes I just feel silly with the amount of indentation when doing simple things,self.java +1,1358999660,7,Outputting multiple lines of text in JTextArea,self.java +15,1358982410,6,Tips for getting proficient with Scala,self.java +0,1358977546,4,replaceAll doesn t work,self.java +1,1358970045,2,Netbeans Help,self.java +1,1358948664,7,A passionate defence of Java s virtues,javainxml.blogspot.ca +0,1358946729,12,How to check if a number is positive or negative in Java,javarevisited.blogspot.sg +4,1358944998,7,The default DataSource in Java EE 7,blogs.oracle.com +7,1358943692,9,Danny Coward on JSR 356 Java API for Websocket,blogs.oracle.com +34,1358935113,13,Apache Shiro is it ready for Java EE 6 a JSF2 Shiro Tutorial,balusc.blogspot.com +3,1358904508,2,Swing tutorials,self.java +9,1358889025,18,Managing the life cycle of resources in Java 7 the new try with resources block Blogs from RTI,blogs.rti.com +5,1358884371,4,Having problems learning java,self.java +114,1358871042,12,A close look at how Oracle installs deceptive software with Java updates,zdnet.com +0,1358865030,5,Disabling Java in Internet Explorer,infoworld.com +0,1358864288,7,How to Disable Java in your Browsers,infoworld.com +2,1358859674,5,Test Driven Development TDD Traps,methodsandtools.com +9,1358850007,3,JPA ORM Recommendations,self.java +1,1358810203,13,Can someone please help me with this series of for loops with arrays,self.java +4,1358803522,10,How would one create a class like BigInteger or BigDecimal,self.java +35,1358788343,6,The Heroes of Java Coleen Phillimore,blog.eisele.net +3,1358783870,3,Java for Beginners,self.java +5,1358771572,8,10 Tips for using the Eclipse Memory Analyzer,eclipsesource.com +0,1358770220,6,Java subList for offset and limit,fabiankessler.blogspot.com +0,1358760358,8,Help Failed to remove existing native file sqlite,self.java +5,1358759419,18,Advice Want to write a secure chat client using Google App Engine wrote a tiny local mental model,self.java +2,1358733972,4,Give Duke a Break,blog.mdominick.com +4,1358730167,6,HELP Canvas rendering getting cut off,self.java +9,1358725172,5,Using Apache Shiro with JSF,blogs.bytecode.com.au +4,1358706352,5,Hibernate HibernateUtil and Transaction Handling,self.java +2,1358701068,19,Can t find a straight forward guide of how to migrate a taglib from Tomcat 6 to Tomcat 7,self.java +0,1358699425,17,Looking for someone to teach me some basic threading sockets in java over Voip More in comments,self.java +0,1358685577,6,Indexes in MongoDB A quick overview,blogs.lessthandot.com +9,1358679460,10,JPA 2 1 Implementation EclipseLink M6 integrated in GlassFish 4,blogs.oracle.com +11,1358631916,10,Knowledge Black Belt shutting down free courses workshops till 31jan,knowledgeblackbelt.com +0,1358631147,7,need help with my code specifically arrays,self.java +0,1358626838,3,Need urgent help,self.java +22,1358607759,7,6 Tips to Improve Your Exception Handling,northconcepts.com +0,1358564935,5,Error in Official Java Tutorial,self.java +0,1358539562,14,Is calling int set equals to array length more efficient than calling array length,self.java +0,1358513227,18,java help solution I m self studying java from a book and can t get past these problems,self.java +17,1358511011,9,Spring Framework 4 0 to embrace emerging enterprise themes,jaxenter.com +0,1358506058,4,Help me with Hibernate,stackoverflow.com +2,1358486062,3,Sharing is caring,self.java +5,1358456787,23,DCOM wire protocol MSRPC to enable development of Pure Bi Directional Non Native Java applications which can interoperate with any Windows COM component,j-interop.org +14,1358456383,5,Orika Java Bean mapping framework,github.com +44,1358456296,5,Enum tricks hierarchical data structure,java.dzone.com +4,1358442822,17,Release Notes for the Next Generation Java Plug In Technology introduced in Java SE 6 update 10,oracle.com +1,1358438785,12,How to halt filter on a particular class when debugging in Eclipse,self.java +5,1358430199,4,ATDD Cucumber and Scala,blog.knoldus.com +1,1358401435,9,Question about toString method for dice game java prgm,self.java +5,1358390813,12,java net socketexception no buffer space available maximum connections reached recv failed,self.java +0,1358389234,7,Another javafx in a swing applet question,self.java +9,1358353473,7,Understanding when to use JPA vs Hibernate,self.java +15,1358349434,17,Who has used the Netbeans Platform do design an application What s you re opinion on it,self.java +31,1358346472,9,Java 8 Now You Have Mixins Kerflyn s Blog,kerflyn.wordpress.com +9,1358342224,12,A Garbage Collection analysis of PCGen the popular Open Source Character Generator,martijnverburg.blogspot.co.uk +14,1358339364,5,Arguments for the final keyword,alexcollins.org +2,1358336772,4,Cacheable overhead in Spring,nurkiewicz.blogspot.com +4,1358305333,11,Can some one help me with deploying and using javafx applets,self.java +0,1358266876,4,Java Update 11 Issues,self.java +12,1358256655,8,An overview of JUnit testing with an example,compiledk.blogspot.com +20,1358253310,3,Java hosting advise,self.java +0,1358239445,10,Java Class Reloading Pain A Fresh Open Source JRebel Alternative,contentreich.de +0,1358218318,20,I just began to learn Java I made this for shits and giggles I should probably be studying for exams,pastebin.com +2,1358211765,17,I will be applying for an internship over the summer any pointers on how to prepare myself,self.java +0,1358192080,5,Going offline with Maven RTFB,ogirardot.wordpress.com +0,1358190444,9,Please can you help me with some simple code,self.java +229,1358185426,5,Java installer Ask Toolbar Seriously,self.java +3,1358172684,10,Deploying Oracle ADF Applications on the Oracle Java Database Cloud,blogs.oracle.com +7,1358172600,3,Java Mini Profiler,github.com +3,1358172530,16,Modern threading for not quite beginners small sample Java programs that use intermediate level thread control,javaworld.com +5,1358166272,6,Time estimation for OCAJP 7 preparation,self.java +0,1358117805,7,Oracle Security Alert Update Your Java Now,oracle.com +19,1358114136,16,Security Alert for CVE 2013 0422 Released Fix for Oracle Java 7 Security Manager Bypass Vulnerability,blogs.oracle.com +0,1358108296,21,Is the department of Homeland Security s warning about disabling Java software going to affect career opportunities for aspiring Java programmers,self.java +3,1358107894,6,Newer java decompiler than JD GUI,self.java +25,1358106003,5,Learning Java for game development,self.java +0,1358081881,5,A verbose but effective MouseListener,dev.fhmp.net +5,1358031105,10,Vert x Red Hat and VMware in active discussion Update,h-online.com +2,1358030646,4,Tapestry5 by examples JumpStart,jumpstart.doublenegative.com.au +0,1358008747,16,IT Project Hub Free download of MCA BE BCA MBA MS project for IT Submit Project,itprojecthub.co.in +40,1358007882,8,My first text based kill the dragon game,self.java +0,1357990789,7,Java Mini Projects Free Download 5000 Projects,itprojecthub.co.in +0,1357988225,6,Increase your JSF MyFaces application performance,tandraschko.blogspot.com +0,1357987152,3,Spring Framework Introduction,java9s.com +8,1357983928,8,JSF 2 Custom Scopes without 3rd party libraries,blog.oio.de +28,1357960819,10,Java as a tool to build GUIs is it dead,self.java +5,1357956273,9,Critical Java vulnerability made possible by earlier incomplete patch,arstechnica.com +4,1357945054,12,Testdriving Mojarra 2 2 0 m08 on GlassFish 3 1 2 2,blog.eisele.net +6,1357936758,9,US CERT says everyone should just disable Java now,securityinfowatch.com +5,1357933685,3,College Class Supplement,self.java +9,1357927584,6,Protecting Firefox Users Against Java Vulnerability,blog.mozilla.org +4,1357916297,9,Can people help me wrap my brain around httpclient,self.java +0,1357910599,4,Latest Java being hacked,self.java +10,1357906919,6,Top 5 books on Java programming,javarevisited.blogspot.sg +0,1357905841,8,State of the Maven Java dependency graph RTFB,ogirardot.wordpress.com +25,1357860313,15,US CERT Vulnerability Note VU 625617 Java 7 fails to restrict access to privileged code,kb.cert.org +17,1357857706,9,Your best method of learning AND retaining programming languages,self.java +6,1357857593,15,0 day CVE 2013 0422 1 7u10 spotted in the Wild Disable Java Plugin NOW,malware.dontneedcoffee.com +6,1357853675,7,Reasons to why I m reconsidering JSF,blog.brunoborges.com.br +15,1357840530,6,Critical Java Exploit Spreads like Wildfire,storyfic.com +0,1357822254,8,Hi I need help with a programming assessment,reddit.com +2,1357819897,12,Qualcomm AT amp T and Telit announce support for Java on M2M,terrencebarr.wordpress.com +0,1357819841,7,How to install Scertify Code Eclipse Plugin,tocea.com +7,1357819789,6,2012 Jenkins Survey Results Are In,blog.cloudbees.com +9,1357795533,5,Where when is gcj used,self.java +4,1357774836,5,A Word Wheel Solver Helper,self.java +24,1357773922,13,The curious case of JBoss AS 7 1 2 and 7 1 3,henk53.wordpress.com +3,1357757985,11,Is it possible to make this search multiple districts at once,self.java +0,1357752763,3,interactive comic reader,chjh.eu +3,1357752423,6,Global Tooltips in PrimeFaces 3 5,blog.primefaces.org +10,1357741436,9,Designing an API XML vs JSON round 1 Fight,self.java +0,1357736288,16,Hadoop How To Make Great Big Applications with Great Big Data on Great Surprisingly Affordable Hardware,blog.inetu.net +31,1357736232,9,JSR 335 Lambda Expressions for the Java Programming Language,cr.openjdk.java.net +8,1357736172,13,Don t Test Blindly The Right Methods for Unit Testing Your Java Apps,zeroturnaround.com +2,1357714752,6,Java Database GUI End User help,self.java +2,1357674517,9,JASIG CAS Java Spring Question External Redirects in Handler,self.java +9,1357665852,17,Spring 3 MVC Framework Based Hello World Web Application Example Using Maven Eclipse IDE And Tomcat Server,srccodes.com +8,1357654692,8,An important announcement to the Vert x community,groups.google.com +1,1357654613,9,Another certified Java EE 6 server JOnAS 5 3,jonas.ow2.org +0,1357648743,3,Code review guidelines,insidecoding.wordpress.com +32,1357589496,6,How to improve my Java skills,self.java +1,1357585350,6,Any suggestions for a simple project,self.java +0,1357567218,9,Why do I love Java Developer edition part 2,socialtech101.blogspot.com +19,1357561594,17,accept4j Business friendly acceptance testing tool for Java developed in Groovy Comments contributors and testers very welcome,code.google.com +8,1357539978,5,sshing on windows via java,self.java +0,1357478287,8,ISIS framework for rapidly developing domain driven apps,isis.apache.org +45,1357477906,8,The state of Java according to Oracle developers,oracle.com +12,1357447095,6,Java Far sight look at JDK8,transylvania-jug.org +2,1357446977,5,Implementing Producer Consumer using SynchronousQueue,aredko.blogspot.ie +4,1357446824,6,JAXB Representing Null and Empty Collections,java.dzone.com +2,1357440850,5,JTable with Scrollable Row Header,wiki.javaforum.hu +4,1357396571,7,Beginner Looking for 1 Good Transitional Read,self.java +0,1357340916,5,Java Persistence Performance Got Cache,java-persistence-performance.blogspot.com +0,1357331518,2,Dereference error,self.java +15,1357330987,10,Quick question about java programming ability required for certain jobs,self.java +8,1357314198,7,How to Protect Your APIs with OAuth,blogs.mulesoft.org +0,1357314149,6,A View of Scala from Java,thepolygl0t.blogspot.in +1,1357287685,13,I m doing tutorials with thechernoproject and i need help understanding the code,self.java +14,1357275816,4,Java graphics libraries help,self.java +0,1357264014,12,I need help figuring out if an idea I had is possible,self.java +0,1357256265,19,Is there a java equivalent of the python win32com library that allows visual basic to be written in java,self.java +3,1357252995,5,Text Based Adventure Game Help,self.java +9,1357243810,6,How to parse Json with Java,self.java +4,1357176132,10,Batch Applications in Java EE 7 Understanding JSR 352 Concepts,blogs.oracle.com +126,1357165586,18,I ve spent plenty of time with this book never made the connection with the anteater until now,i.imgur.com +2,1357158313,4,Need help with audio,self.java +4,1357155888,5,Problem understanding arrays of arrays,self.java +1,1357123709,11,Getting a weird error Don t know how to fix it,self.java +8,1357115579,3,JavaFX loves Xtend,koehnlein.blogspot.de +11,1357073017,15,Performance of String equalsIgnoreCase vs String equals if I one of the strings is static,self.java +6,1357068770,9,What is the simplest way to send P2P data,self.java diff --git a/spring-security-oauth/src/test/java/org/baeldung/classifier/RedditClassifierTest.java b/spring-security-oauth/src/test/java/org/baeldung/classifier/RedditClassifierTest.java index 6283d108b8..f37208aa11 100644 --- a/spring-security-oauth/src/test/java/org/baeldung/classifier/RedditClassifierTest.java +++ b/spring-security-oauth/src/test/java/org/baeldung/classifier/RedditClassifierTest.java @@ -7,10 +7,9 @@ import java.io.IOException; import org.baeldung.reddit.classifier.RedditClassifier; import org.baeldung.reddit.classifier.RedditDataCollector; import org.junit.Before; -import org.junit.Ignore; import org.junit.Test; -@Ignore +//@Ignore public class RedditClassifierTest { private RedditClassifier classifier; @@ -27,4 +26,5 @@ public class RedditClassifierTest { System.out.println("Accuracy = " + result); assertTrue(result > 0.8); } + }