'Develop/SERVER SIDE'에 해당되는 글 9건
- 2015.12.08 하둡 클러스터 환경 및 R 분석 서버 구축
- 2012.06.09 Spring JAXB를 활용한 Tree 구현
- 2011.12.26 Dbunit + MySql 사용 시 경고 메시지 해결
- 2011.12.09 Spring quartz(Scheduler) 사용
- 2011.12.09 Spring Bean을 Servlet Filter에서 사용1
- 2011.12.08 MSSQL 트랜잭션 로그 파일 초기화
- 2011.10.17 Nexus : Maven 사내 저장소 활용
- 2011.10.06 Mac Subversion+apache 사용하기
- 2011.10.04 eclipse SVN 해제 및 파일 삭제(Mac)
/etc/hosts
각 서버에 호스트 등록
※ 하둡 환경 구축
- 하둡 설치
- 하둡 계정 생성 -> hadoop/hadoop (each server)
- 하둡 계정 SSH Key 배포
- 하둡 데이터 폴더 생성 -> (each server)
- 환경 변수 등록 -> (each server)
~/.bash_profile
- 하둡 설정
$HADOOP_HOME/etc/hadoop/hadoop_env.sh
$HADOOP_HOME/etc/hadoop/core-site.xml
$HADOOP_HOME/etc/hadoop/hdfs-site.xml -> namenode
$HADOOP_HOME/etc/hadoop/hdfs-site.xml -> datanodes
$HADOOP_HOME/etc/hadoop/mapred-site.xml
$HADOOP_HOME/etc/hadoop/yarn-site.xml
$HADOOP_HOME/etc/hadoop/slaves
- 하둡 설치 파일 및 설정 파일 배포
- 하둡 실행 --> namenode
- 하둡 실행 확인
- 하둡 Web 관리 Console
NameNode Infomation --> http://192.168.0.101:50070/
Nodes of the cluster --> http://192.168.0.101:8088/
- hdfs 확인 : namenode or datanode file add check, cluster namenode에서 조회 확인
- MapReduce 확인
※ R 환경 구축
- Extra Packages for Enterprise Linux (EPEL)
- R Base 설치
- RStudio Server 설치
- RStudio Server 설치 확인
- RStudio Web 관리 Console
http://192.168.0.101:8787/
Developer user : os 계정
※ Zookeeper 환경 구축
- Zookeeper 설치
- Zookeeper 데이터 폴더 생성 -> (each server)
- 환경 변수 등록 -> (each server)
~/.bash_profile
- Zookeeper 설정
$ZOOKEEPER_HOME/conf/zoo.cfg <- dataDir & servers 등록
- Zookeeper 설치 파일 및 설정 파일 배포
- Zookeeper myid 파일 생성 --> 서버 자신의 고유 ID (each server)
/data/zookeeper/myid
- Zookeeper 실행 -> (each server)
- Zookeeper 실행 확인
※ HBase 환경 구축
- HBase 설치
- 환경 변수 등록 -> (each server)
- HBase 설정
$HBASE_HOME/conf/hbase-env.sh
$HBASE_HOME/conf/regionservers -> only datanodes
$HBASE_HOME/conf/hbase-site.xml
- HBase 설치 파일 및 설정 파일 배포
- HBase 실행 -> namenode
- 하둡 실행 확인
- Hbase Web 관리 Console
HBase Master: namenode --> http://192.168.0.101:60010/
※ R HBase 연동 환경 구축
- Apache Thrift 설치
Install the dependencies for Thrift.
Download Thrift archive
- 환경 변수 등록 (root user)
- Thrift 실행
- Thrift 확인
- rhbase package 설치 (R COMMAND INSTALL)
'Develop > SERVER SIDE' 카테고리의 다른 글
Spring JAXB를 활용한 Tree 구현 (0) | 2012.06.09 |
---|---|
Dbunit + MySql 사용 시 경고 메시지 해결 (0) | 2011.12.26 |
Spring quartz(Scheduler) 사용 (0) | 2011.12.09 |
Spring Bean을 Servlet Filter에서 사용 (1) | 2011.12.09 |
MSSQL 트랜잭션 로그 파일 초기화 (0) | 2011.12.08 |
Spring OXM모듈의 JAXB를 활용한 Tree 구현 예제.
1. spring-oxm 라이브러리 추가 (maven dependency 사용)
jar download url : http://mvnrepository.com/artifact/org.springframework/spring-oxm/3.0.5.RELEASE
2. Spring Bean 설정
XML 응답을 위한 MarshallingView 등록하고 XML 출력을 위한 바운드 객체를 property로 주입.
<bean id="xmlViewer" class="org.springframework.web.servlet.view.xml.MarshallingView">
<constructor-arg>
<bean class="org.springframework.oxm.jaxb.Jaxb2Marshaller">
<property name="classesToBeBound">
<list>
<value>com.rurony.format.common.tree.TreeNode</value>
</list>
</property>
</bean>
</constructor-arg>
</bean>
3. XML 출력을 위한 바운드 객체
XML 출력을 위해 JAXB annotation을 설정하고 Tree 구현을 위해 객체 내에 하위 객체를 포함하도록 구현.
@XmlRootElement(name="Tree")
@XmlAccessorType(XmlAccessType.FIELD)
public class TreeNode {
@XmlAttribute
private String option;
@XmlAttribute
private String status;
@XmlAttribute
private String name;
@XmlAttribute
private int depth;
@XmlAttribute
private int seq;
@XmlAttribute
private String type;
@XmlAttribute
private String parentId;
@XmlAttribute
private String id;
@XmlElement(name="Node")
protected List<TreeNode> nodes = new ArrayList<TreeNode>();
public TreeNode() {
}
public TreeNode(String id, String parentId, String type, int seq, String name, String status, String option) {
this.id = id;
this.parentId = parentId;
this.type = type;
this.seq = seq;
this.depth = 0;
this.name = name;
this.status = status;
this.option = option;
}
public void add(TreeNode node) {
if (id.equals(node.parentId)) {
node.depth = depth + 1;
nodes.add(node);
return;
}
Iterator<TreeNode> iter = nodes.iterator();
while (iter.hasNext()) {
iter.next().add(node);
}
}
[... Setter/Getter ...]
public List<TreeNode> getNodes() {
return nodes;
}
public void setNodes(List<TreeNode> nodes) {
this.nodes = nodes;
}
}
4. MakeTreeNode Class
XML 바운드 객체을 사용하여 Tree XML을 구현하는 객체.
public class MakeTreeNode {
TreeNode treeNode;
public MakeTreeNode(String id, String parentId, String type, int seq, String name, String status, String option) {
treeNode = new TreeNode(id, parentId, type, seq, name, status, option);
}
public MakeTreeNode() {
treeNode = new TreeNode("0", "-1", "1", 1, "ROOT", "1", "");
}
public void add(TreeNode node) {
treeNode.add(node);
}
public void addAll(List<TreeNode> nodes) {
Iterator<TreeNode> iter = nodes.iterator();
while (iter.hasNext()) {
add(iter.next());
}
}
public TreeNode getTreeXmlNode() {
return treeNode;
}
}
5. Test Tree Util
Domo Tree 추가
public static TreeNode getTestTreeXml() {
List<TreeNode> treeList = new ArrayList<TreeNode>();
treeList.add(new TreeNode("1", "0", "type", 1, "Node 1", "status", "option"));
treeList.add(new TreeNode("2", "1", "type", 1, "Node 1-1", "status", "option"));
treeList.add(new TreeNode("3", "1", "type", 2, "Node 1-2", "status", "option"));
treeList.add(new TreeNode("4", "0", "type", 2, "Node 2", "status", "option"));
treeList.add(new TreeNode("5", "4", "type", 1, "Node 2-1", "status", "option"));
treeList.add(new TreeNode("6", "4", "type", 2, "Node 2-2", "status", "option"));
treeList.add(new TreeNode("7", "5", "type", 1, "Node 2-1-1", "status", "option"));
treeList.add(new TreeNode("8", "5", "type", 2, "Node 2-1-2", "status", "option"));
treeList.add(new TreeNode("9", "0", "type", 3, "Node 3", "status", "option"));
treeList.add(new TreeNode("10", "9", "type", 1, "Node 3-1", "status", "option"));
MakeTreeNode tree = new MakeTreeNode("0", "-1", "1", 1, "Tree Root", "status", "option");
tree.addAll(treeList);
return tree.getTreeXmlNode();
}
6. Controller
@ResponseBody annotation을 사용하여 Url Mapping.
@RequestMapping("/testTreeXML")
public @ResponseBody TreeNode treeXML() {
return MakeTreeUtil.getTestTreeXml();
}
7. Domo Page
'Develop > SERVER SIDE' 카테고리의 다른 글
하둡 클러스터 환경 및 R 분석 서버 구축 (0) | 2015.12.08 |
---|---|
Dbunit + MySql 사용 시 경고 메시지 해결 (0) | 2011.12.26 |
Spring quartz(Scheduler) 사용 (0) | 2011.12.09 |
Spring Bean을 Servlet Filter에서 사용 (1) | 2011.12.09 |
MSSQL 트랜잭션 로그 파일 초기화 (0) | 2011.12.08 |
WARN : org.dbunit.dataset.AbstractTableMetaData - Potential problem found: The configured data type factory 'class org.dbunit.dataset.datatype.DefaultDataTypeFactory' might cause problems with the current database 'MySQL' (e.g. some datatypes may not be supported properly). In rare cases you might see this message because the list of supported database products is incomplete (list=[derby]). If so please request a java-class update via the forums.If you are using your own IDataTypeFactory extending DefaultDataTypeFactory, ensure that you override getValidDbProducts() to specify the supported database products.
2. MySqlConnection 사용 예제
MySqlConnection, OracleConnection, Db2Connection 등 해당 DBMS의 Connection 사용
private final static String driverClass = "com.mysql.jdbc.Driver";private final static String connectionUrl = "jdbc:mysql://localhost/testdb";private final static String username = "testdb";private final static String password = "testdb";private final static String schema = "testdb";//private IDatabaseTester databaseTester;
public static Connection getConnection() throws InstantiationException, IllegalAccessException, ClassNotFoundException {Connection conn = null;try {Class.forName(driverClass);conn = DriverManager.getConnection(connectionUrl, username, password);} catch (SQLException e) {// TODO Auto-generated catch blocke.printStackTrace();}return conn;}
@Beforepublic void setUp() throws Exception {//databaseTester = new JdbcDatabaseTester(driverClass, connectionUrl, username, password);//IDatabaseConnection connection = new DatabaseConnection(getConnection());IDatabaseConnection connection = new MySqlConnection(getConnection(), schema);try {IDataSet dataSet = new FlatXmlDataSetBuilder().build(new File("resetDB.xml"));//DatabaseOperation.CLEAN_INSERT.execute(databaseTester.getConnection(), dataSet);DatabaseOperation.CLEAN_INSERT.execute(connection, dataSet);} catch (Exception e) {// TODO: handle exception//databaseTester.getConnection().close();connection.close();}}
'Develop > SERVER SIDE' 카테고리의 다른 글
하둡 클러스터 환경 및 R 분석 서버 구축 (0) | 2015.12.08 |
---|---|
Spring JAXB를 활용한 Tree 구현 (0) | 2012.06.09 |
Spring quartz(Scheduler) 사용 (0) | 2011.12.09 |
Spring Bean을 Servlet Filter에서 사용 (1) | 2011.12.09 |
MSSQL 트랜잭션 로그 파일 초기화 (0) | 2011.12.08 |
1. Quartz 라이브러리 추가 (maven dependency 사용)
jar download url : http://mvnrepository.com/artifact/quartz/quartz/1.5.2
2. Service Class
Quartz Class에 Injection할 Service Bean.
public class StatServiceImpl implements StatService, ApplicationContextAware {[...]public void insertStat(String date) {//해당날짜의 log select.
StatBean stat = logDao.getLogStatByDate(date);if (logger.isInfoEnabled()) {logger.info(date + " Date Stat : " + stat.toString());}int checkStat = statDao.checkStat(date);if (checkStat > 0) {statDao.updateStat(stat); //통계 updateif (logger.isInfoEnabled()) {logger.info(date + " Date Stat Update");}} else {statDao.insertStat(stat); //통계 insertif (logger.isInfoEnabled()) {logger.info(date + " Date Stat Insert");}}String accessLogDir = "/accessLog/";String address = constantVo.getUrlContext() + "/admin/store/accessStat/dayStat?offsetDate=" + date;String localFileName = context.getServletContext().getRealPath(constantVo.getDataUrl() + accessLogDir + date + ".html");//해당날짜의 접속통계 페이지를 HTML로 download
int downOk = downloadURL(address, localFileName);if (downOk == 1) {if (logger.isInfoEnabled()) {logger.info(date + " Date Page Download");}logDao.deleteLog(date); //해당날짜의 log deleteif (logger.isInfoEnabled()) {logger.info(date + " Date Log Delete");}}}[...]}
3. Quartz Class
@Inject, @Autowired로 Injection이 안되는 것 같음? 아래 Spring Bean 설정에서 Bean을 선언 하여 사용.
public class StatInsert extends QuartzJobBean {private StatService statService; //could not autowiredpublic void setStatService(StatService statService) {this.statService = statService;}protected void executeInternal(JobExecutionContext arg0) throws JobExecutionException {[...]statService.insertStat(date);}}
4. Spring Bean 설정
Spring Quartz Scheduler는 interval time 동작 방식과 cron tab 동작 방식이 있음.
접속 통계 누적 Scheduler는 cronExpression을 통한 매일 0시 5분에 실행 하도록 구현.
Injection할 Service Bean(들)은 jobDataAsMap의 entry로 등록하여 사용.
<!-- Service Bean -->
<bean id="statService" class="com.rurony.format.access.service.StatServiceImpl" />
<!-- Spring Quartz Scheduler Bean Setting --><!-- Simple Quartz Scheduler --><!--
<bean id="simpleQuartzJob" class="org.springframework.scheduling.quartz.JobDetailBean"><property name="jobClass" value="com.rurony.format.schedule.StatInsert"/><property name="jobDataAsMap"><map><entry key="statService"><ref local="statService"/></entry></map></property></bean><bean id="simpleTrigger" class="org.springframework.scheduling.quartz.SimpleTriggerBean"><property name="jobDetail" ref="simpleQuartzJob"/><property name="startDelay" value="6000"/><property name="repeatInterval" value="6000"/></bean>
-->
<!-- Cron Quartz Scheduler --><!-- Scheduler Bean --><bean id="cronQuartzJob" class="org.springframework.scheduling.quartz.JobDetailBean"><property name="jobClass" value="com.rurony.format.schedule.StatInsert" /><property name="jobDataAsMap"><map><entry key="statService"><ref local="statService"/></entry></map></property></bean>
<!-- Scheduler Trigger cronExpression setting --><bean id="cronTrigger" class="org.springframework.scheduling.quartz.CronTriggerBean"><property name="jobDetail" ref="cronQuartzJob"/><!-- <property name="cronExpression" value="1 * * * * ?"/> --><!-- <property name="cronExpression" value="0 30 9 * * ?"/> --><property name="cronExpression" value="0 5 0 * * ?"/> <!-- 매일 0시 5분 0초 에 실행 --></bean>
<!-- Scheduler Trigger --><bean class="org.springframework.scheduling.quartz.SchedulerFactoryBean"><property name="triggers"><list><!-- <ref bean="simpleTrigger"/> --><ref bean="cronTrigger"/></list></property><property name="quartzProperties"><props><prop key="org.quartz.threadPool.class">org.quartz.simpl.SimpleThreadPool</prop><prop key="org.quartz.threadPool.threadCount">5</prop><prop key="org.quartz.threadPool.threadPriority">4</prop><prop key="org.quartz.jobStore.class">org.quartz.simpl.RAMJobStore</prop><prop key="org.quartz.jobStore.misfireThreshold">60000</prop></props></property></bean>
'Develop > SERVER SIDE' 카테고리의 다른 글
Spring JAXB를 활용한 Tree 구현 (0) | 2012.06.09 |
---|---|
Dbunit + MySql 사용 시 경고 메시지 해결 (0) | 2011.12.26 |
Spring Bean을 Servlet Filter에서 사용 (1) | 2011.12.09 |
MSSQL 트랜잭션 로그 파일 초기화 (0) | 2011.12.08 |
Nexus : Maven 사내 저장소 활용 (0) | 2011.10.17 |
1. Service Class
Filter Class에 Injection할 Service Bean.
public class LogServiceImpl implements LogService {@Autowiredprivate LogDao logDao;public void insertLog(LogBean log) {logDao.insertLog(log);}[...]}
2. Filter Class
component-scan으로 자동 등록된 Bean은 Injection이 안되는 것 같음? 아래 Spring Bean 설정에서 Bean을 선언 하여 사용.
public class AccessLogFilter implements Filter {@Autowiredprivate LogService logService;public void init(FilterConfig filterConfig) throws ServletException {}public void doFilter(ServletRequest sReq, ServletResponse sRes, FilterChain chain) throws IOException, ServletException {[...]chain.doFilter(sReq, sRes);logService.insertLog(log);}
public void destroy() {}}
3. Spring Bean 설정
<!-- Service Bean -->
<bean id="logService" class="com.rurony.format.access.service.LogServiceImpl" />
<!-- Filter Bean --><bean id="accessLogFilter" class="com.rurony.format.filter.AccessLogFilter" />
4. web.xml 설정
스프링에서 제공하는 DelegatingFilterProxy를 사용하여 설정, 위 Spring Bean 설정에서 선언된 Filter Bean의 id와 filter-name을 같게 설정.
<filter><filter-name>accessLogFilter</filter-name><filter-class>org.springframework.web.filter.DelegatingFilterProxy</filter-class></filter><filter-mapping><filter-name>accessLogFilter</filter-name><url-pattern>/*</url-pattern></filter-mapping>
'Develop > SERVER SIDE' 카테고리의 다른 글
Dbunit + MySql 사용 시 경고 메시지 해결 (0) | 2011.12.26 |
---|---|
Spring quartz(Scheduler) 사용 (0) | 2011.12.09 |
MSSQL 트랜잭션 로그 파일 초기화 (0) | 2011.12.08 |
Nexus : Maven 사내 저장소 활용 (0) | 2011.10.17 |
Mac Subversion+apache 사용하기 (0) | 2011.10.06 |
2. PAGE ERROR MESSAGE
1) Microsoft OLE DB Provider for SQL Server error '80040e31' Timeout expired
3. 확인 및 처리
1) source add :
dbcmd.CommandTimeout=0
C:\Program Files\Microsoft SQL Server\MSSQL\Data [db_name_Log.ldf]
db_name_Log.ldf 용량 ==> 26GB
-- [db_name] 트랜잭션 로그정보 초기화-- backup log db_name with truncate_only-- [db_name] 트랜잭션 로그파일의 물리적인 크기를 줄임-- dbcc shrinkdatabase (db_name)db_name_Log.ldf 용량 ==> 1MB--//dbcc shrinkfile (파일이름)
'Develop > SERVER SIDE' 카테고리의 다른 글
Spring quartz(Scheduler) 사용 (0) | 2011.12.09 |
---|---|
Spring Bean을 Servlet Filter에서 사용 (1) | 2011.12.09 |
Nexus : Maven 사내 저장소 활용 (0) | 2011.10.17 |
Mac Subversion+apache 사용하기 (0) | 2011.10.06 |
eclipse SVN 해제 및 파일 삭제(Mac) (0) | 2011.10.04 |
1) http://nexus.sonatype.org/ 에서 최신 버전 다운로드
2) Tomcat에 War 배포
3) 접속 확인 : 초기 관리자 (id : admin, pw : admin123)
2. Nexus Repository를 사용하기 위한 설정
1) setting.xml
~~
<mirrors><mirror>
<id>nexus</id>
<mirrorOf>*</mirrorOf>
<url>http://localhost:7000/nexus/content/groups/public</url></mirror></mirrors>~~
<profiles><profile><id>nexus</id><repositories>
<repository><id>central</id><url>http://central</url><releases><enabled>true</enabled></releases><snapshots><enabled>true</enabled></snapshots></repository></repositories><pluginRepositories><pluginRepository><id>central</id><url>http://central</url><releases><enabled>true</enabled></releases><snapshots><enabled>true</enabled></snapshots></pluginRepository></pluginRepositories></profile></profiles><activeProfiles><activeProfile>nexus</activeProfile></activeProfiles>~~
3. Proxy Repository 추가
2) Repository ID, Repository Name, Remote Storage Location 입력 후 Save 버튼 클릭으로 완료
3) Public Repositories에 등록한 Proxy Repository 추가
4. 3rd party Repository 추가
1) Repositories 메뉴 --> 3rd party repository 선택 --> Artifact Upload 탭 선택 후 업로드
2) POM 파일이 있다면 GAV Definition의 From POM 선택 후 해당 POM 파일 선택 :
- groupId, artifactId, version은 POM 파일의 내용으로 자동 결정
3) POM 파일이 없다면 GAV Definition의 GAV Parameters 선택 후 해당 Artifact 파일 선택 :
- groupId, artifactId, version 직접 입력
4) Select Artifact(s) to Upload... 버튼 선택후 해당 파일 선택
5) Add Artifact 버튼을 클릭하여 추가
6) Upload Artifact(s) 버튼을 클릭하여 완료
7) 등록된 Artifact의 dependency 정보를 사용하여 사용할 프로젝트에서 dependency를 추가 하여 사용.
5. 개발 라이브러리 배포
1) Users 메뉴 --> deployment 사용자 우클릭 후 PASSWORD 변경
2) setting.xml
~~3) pom.xml : snapshot 또는 release 버전에 맞게 해당 Repository에 Deploy : deploy 페이즈 실행 시 배포
<servers><!-- Nexus deploy user setting --><server><id>nexus-deployment</id><username>deployment</username><password>********</password></server></servers>
~~
'Develop > SERVER SIDE' 카테고리의 다른 글
Spring quartz(Scheduler) 사용 (0) | 2011.12.09 |
---|---|
Spring Bean을 Servlet Filter에서 사용 (1) | 2011.12.09 |
MSSQL 트랜잭션 로그 파일 초기화 (0) | 2011.12.08 |
Mac Subversion+apache 사용하기 (0) | 2011.10.06 |
eclipse SVN 해제 및 파일 삭제(Mac) (0) | 2011.10.04 |
2) CollabNet Subversion 설치 (Version Up 하거나 혹시 없다면?)
2. Subversion 저장소 만들기
1) Root 저장소 만들기
mkdir ~/SVN_Repository2) Root 저장소에 Project 저장소 만들기
svnadmin create svntestproject
3. HTTP를 통한 접근 (Apache)
1) 시스템 환경설정 -> 공유 -> 웹 공유 를 선택하면 Apache Server가 구동 된다.
2) /etc/apache2/extra 폴더 하위에 httpd-subversion.conf 를 생성 후 다음과 같이 작성한다.
3) /etc/apache2/httpd.conf에 다음의 내용을 작성한다.LoadModule dav_svn_module libexec/apache2/mod_dav_svn.soLoadModule authz_svn_module libexec/apache2/mod_authz_svn.so
<Location /svn>DAV svn#SVNPath /Users/rurony/SVN_RepositorySVNParentPath /Users/rurony/SVN_RepositorySVNListParentPath On
# How to authenticate a userAuthType BasicAuthName "Subversion repository"AuthUserFile /private/etc/apache2/subversion.auth
# Only authenticated users may accessRequire valid-user</Location>
Include /private/etc/apache2/extra/httpd-subversion.conf
- sudo htpasswd -cm /etc/apache2/subversion.auth testuser
: 사용자 생성 및 authentication 생성
- sudo htpasswd -m /etc/apache2/subversion.auth anyone
: 사용자 추가
5) Apache 재기동 후 http://localhost/svn 으로 접속 하면 인증화면을 볼 수 있다.
※ 접근 에러가 발생하면 SVN Root 저장소의 소유권을 Apache 웹서버 권한 USER로 변경.
※ Mac OS X 용 CollabNet Subversion Edge는 아직 없는 것 같음? (설치방법 아시면 알려 주세요 ^^)
※ Subversion client로는 eclipse svn plugin (subclipse or subversive) 사용, Share Project 접근 에러 시 해당 프로젝트 퍼미션 변경.
'Develop > SERVER SIDE' 카테고리의 다른 글
Spring quartz(Scheduler) 사용 (0) | 2011.12.09 |
---|---|
Spring Bean을 Servlet Filter에서 사용 (1) | 2011.12.09 |
MSSQL 트랜잭션 로그 파일 초기화 (0) | 2011.12.08 |
Nexus : Maven 사내 저장소 활용 (0) | 2011.10.17 |
eclipse SVN 해제 및 파일 삭제(Mac) (0) | 2011.10.04 |
2. [workspace]/[프로젝트] 에서 .svn 폴더 삭제
find . -name '.svn' -type d -exec rm -r {} \;
'Develop > SERVER SIDE' 카테고리의 다른 글
Spring quartz(Scheduler) 사용 (0) | 2011.12.09 |
---|---|
Spring Bean을 Servlet Filter에서 사용 (1) | 2011.12.09 |
MSSQL 트랜잭션 로그 파일 초기화 (0) | 2011.12.08 |
Nexus : Maven 사내 저장소 활용 (0) | 2011.10.17 |
Mac Subversion+apache 사용하기 (0) | 2011.10.06 |
Recent Comment