Top 10 security vulnerabilities:
https://www.owasp.org/index.php/Top_10_2010Tools for implementing secure web applications:
import java.util.concurrent.ConcurrentHashMap; | |
import java.util.concurrent.ConcurrentMap; | |
/** | |
* Service Locator Pattern - Dependency Injection by any other name. | |
* Allows unit tests to set a mock instance for some interface or class. | |
* | |
* <pre> SomeClass instance = Bordello.get(SomeClass.class); </pre> | |
* | |
* Requires simple constructor. Interfaces declare the implementing class. <pre> | |
* {@code @}Implementor(SomeTingImpl.class) | |
* public interface SomeTing { | |
* ... | |
* </pre> | |
*/ | |
public class Bordello { | |
// ConcurrentMap handles multi-threading and the Double-Check Locking problem. | |
private final static ConcurrentMap<Class<?>, Object> services = new ConcurrentHashMap<Class<?>, Object>(); | |
/** | |
* Acquire an implementation of a service. If one has not already | |
* been instantiated, instantiate the class defined by the | |
* Implementor annotation on the interface | |
*/ | |
public static <T> T get(Class<T> interfaceClass) { | |
Object service = services.get(interfaceClass); | |
if (service != null) { | |
return interfaceClass.cast(service); | |
} | |
// service does not yet exist | |
try { | |
Implementor annote = interfaceClass.getAnnotation(Implementor.class); | |
Class<?> implementingClass; | |
if (annote != null) { | |
implementingClass = annote.value(); | |
} else { | |
implementingClass = interfaceClass; | |
} | |
Object newservice = implementingClass.newInstance(); | |
service = services.putIfAbsent(interfaceClass, newservice); | |
if (service == null) { | |
// put succeeded, use new value | |
service = newservice; | |
} | |
} catch (Exception e) { | |
throw new RuntimeException(e); | |
} | |
return interfaceClass.cast(service); | |
} | |
/** | |
* Set an alternate service implementation. | |
* Typically only called in unit tests. | |
*/ | |
public static <T> void set(Class<T> interfaceClass, T providor) { | |
synchronized (interfaceClass) { | |
services.put(interfaceClass, providor); | |
} | |
} | |
/** | |
* Clear all previous instances - use before setting up for a unit test. | |
*/ | |
public static void reset() { | |
services.clear(); | |
} | |
} |
@Entity | |
@Table(name = "MY_TABLE") | |
public class MyTable extends AbstractEntity { | |
@Id | |
@GeneratedValue(strategy = GenerationType.AUTO) | |
private Long id; | |
private String value1; | |
private String value2; | |
... | |
public boolean equals(Object obj) { | |
if (obj == null || !(obj.getClass().equals(this.getClass()))) { | |
return false; | |
} | |
return getId().equals(((GenericEntity ) obj).getId()); | |
} | |
} |