📅  最后修改于: 2020-12-16 10:10:34             🧑  作者: Mango
在本节中,我们将创建一个Search Field Web应用程序。该应用程序包括具有搜索字段的表格形式的数据。在这种集成中,我们使用Spring处理后端部分,使用Angular处理前端部分。
在这里,我们使用以下技术:
让我们创建一个数据库searchfieldexample 。由于Hibernate自动创建了表,因此无需创建表。在这里,我们需要在表中显式提供数据,以便它们可以出现在屏幕上以执行搜索操作。但是,我们也可以从下载链接中存在的文件中导入数据。
让我们看看我们需要遵循的Spring目录结构:
要开发搜索字段应用程序,请执行以下步骤:-
pom.xml
4.0.0
com.javatpoint
SearchFieldExample
war
0.0.1-SNAPSHOT
SearchFieldExample Maven Webapp
http://maven.apache.org
5.0.6.RELEASE
5.2.16.Final
5.1.45
0.9.5.2
1.8
1.8
org.springframework
spring-webmvc
${springframework.version}
org.springframework
spring-tx
${springframework.version}
org.springframework
spring-orm
${springframework.version}
com.fasterxml.jackson.core
jackson-databind
2.9.5
org.hibernate
hibernate-core
${hibernate.version}
mysql
mysql-connector-java
${mysql.connector.version}
com.mchange
c3p0
${c3po.version}
javax.servlet
javax.servlet-api
3.1.0
javax.servlet.jsp
javax.servlet.jsp-api
2.3.1
javax.servlet
jstl
1.2
javax.xml.bind
jaxb-api
2.3.0
junit
junit
3.8.1
test
SearchFieldExample
DemoAppConfig.java
package com.javatpoint.searchfieldexample.config;
import java.beans.PropertyVetoException;
import java.util.Properties;
import javax.sql.DataSource;
import org.hibernate.SessionFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;
import org.springframework.context.annotation.PropertySource;
import org.springframework.core.env.Environment;
import org.springframework.orm.hibernate5.HibernateTransactionManager;
import org.springframework.orm.hibernate5.LocalSessionFactoryBean;
import org.springframework.transaction.annotation.EnableTransactionManagement;
import org.springframework.web.servlet.config.annotation.EnableWebMvc;
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;
import com.mchange.v2.c3p0.ComboPooledDataSource;
@Configuration
@EnableWebMvc
@EnableTransactionManagement
@ComponentScan("com.javatpoint.searchfieldexample")
@PropertySource(value = { "classpath:persistence-mysql.properties" })
@PropertySource(value = { "classpath:persistence-mysql.properties" })
@PropertySource(value = { "classpath:application.properties" })
public class DemoAppConfig implements WebMvcConfigurer {
@Autowired
private Environment env;
@Bean
public DataSource myDataSource() {
// create connection pool
ComboPooledDataSource myDataSource = new ComboPooledDataSource();
// set the jdbc driver
try {
myDataSource.setDriverClass("com.mysql.jdbc.Driver");
}
catch (PropertyVetoException exc) {
throw new RuntimeException(exc);
}
// set database connection props
myDataSource.setJdbcUrl(env.getProperty("jdbc.url"));
myDataSource.setUser(env.getProperty("jdbc.user"));
myDataSource.setPassword(env.getProperty("jdbc.password"));
// set connection pool props
myDataSource.setInitialPoolSize(getIntProperty("connection.pool.initialPoolSize"));
myDataSource.setMinPoolSize(getIntProperty("connection.pool.minPoolSize"));
myDataSource.setMaxPoolSize(getIntProperty("connection.pool.maxPoolSize"));
myDataSource.setMaxIdleTime(getIntProperty("connection.pool.maxIdleTime"));
return myDataSource;
}
private Properties getHibernateProperties() {
// set hibernate properties
Properties props = new Properties();
props.setProperty("hibernate.dialect", env.getProperty("hibernate.dialect"));
props.setProperty("hibernate.show_sql", env.getProperty("hibernate.show_sql"));
props.setProperty("hibernate.format_sql", env.getProperty("hibernate.format_sql"));
props.setProperty("hibernate.hbm2ddl.auto", env.getProperty("hibernate.hbm2ddl"));
return props;
}
// need a helper method
// read environment property and convert to int
private int getIntProperty(String propName) {
String propVal = env.getProperty(propName);
// now convert to int
int intPropVal = Integer.parseInt(propVal);
return intPropVal;
}
@Bean
public LocalSessionFactoryBean sessionFactory(){
// create session factorys
LocalSessionFactoryBean sessionFactory = new LocalSessionFactoryBean();
// set the properties
sessionFactory.setDataSource(myDataSource());
sessionFactory.setPackagesToScan(env.getProperty("hibernate.packagesToScan"));
sessionFactory.setHibernateProperties(getHibernateProperties());
return sessionFactory;
}
@Bean
@Autowired
public HibernateTransactionManager transactionManager(SessionFactory sessionFactory) {
// setup transaction manager based on session factory
HibernateTransactionManager txManager = new HibernateTransactionManager();
txManager.setSessionFactory(sessionFactory);
return txManager;
}
}
MySpringMvcDispatcherServletInitializer.java
package com.javatpoint.searchfieldexample.config;
import org.springframework.web.servlet.support.AbstractAnnotationConfigDispatcherServletInitializer;
public class MySpringMvcDispatcherServletInitializer extends AbstractAnnotationConfigDispatcherServletInitializer {
@Override
protected Class>[] getRootConfigClasses() {
// TODO Auto-generated method stub
return null;
}
@Override
protected Class>[] getServletConfigClasses() {
return new Class[] { DemoAppConfig.class };
}
@Override
protected String[] getServletMappings() {
return new String[] { "/" };
}
}
User.java
package com.javatpoint.searchfieldexample.entity;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import javax.persistence.Table;
@Entity
@Table(name="user")
public class User {
@Id
@GeneratedValue(strategy=GenerationType.AUTO)
@Column(name="userId")
private int userId;
@Column(name="name")
private String name;
@Column(name="email_id" )
public String emailId;
@Column(name="qualification")
public String qualification;
public User() {}
public User(int userId, String name, String emailId, String qualification) {
super();
this.userId = userId;
this.name = name;
this.emailId = emailId;
this.qualification = qualification;
}
public int getUserId() {
return userId;
}
public void setUserId(int userId) {
this.userId = userId;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getEmailId() {
return emailId;
}
public void setEmailId(String emailId) {
this.emailId = emailId;
}
public String getQualification() {
return qualification;
}
public void setQualification(String qualification) {
this.qualification = qualification;
}
@Override
public String toString() {
return "User [userId=" + userId + ", name=" + name + ", emailId=" + emailId + ", qualification=" + qualification
+ "]";
}
}
UserDAO.java
package com.javatpoint.searchfieldexample.DAO.interfaces;
import java.util.List;
import com.javatpoint.searchfieldexample.entity.User;
public interface UserDAO {
public int SaveUser(User user);
public List getFilteredData(User user);
}
UserDAOImpl.java
package com.javatpoint.searchfieldexample.DAO.implementation;
import java.util.ArrayList;
import java.util.List;
import org.hibernate.Session;
import org.hibernate.SessionFactory;
import org.hibernate.query.Query;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Repository;
import com.javatpoint.searchfieldexample.DAO.interfaces.UserDAO;
import com.javatpoint.searchfieldexample.entity.User;
@Repository("userDAO")
public class UserDAOImpl implements UserDAO {
@Autowired
SessionFactory sessionFactory;
public int SaveUser(User user) {
Session session = null;
try {
session = sessionFactory.getCurrentSession();
int userId = (Integer) session.save(user);
return userId;
}
catch(Exception exception)
{
System.out.println("Excption while saving data into DB " + exception);
return 0;
}
finally
{
session.flush();
}
}
public List getFilteredData(User user) {
Session session = null;
try
{
session = sessionFactory.getCurrentSession();
ArrayList
UserService.java
package com.javatpoint.searchfieldexample.service.interfaces;
import java.util.List;
import com.javatpoint.searchfieldexample.entity.User;
public interface UserService {
public int SaveUser(User user);
public List getFilteredData(User user);
}
UserServiceImpl.java
package com.javatpoint.searchfieldexample.service.implementation;
import java.util.List;
import javax.transaction.Transactional;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import com.javatpoint.searchfieldexample.DAO.interfaces.UserDAO;
import com.javatpoint.searchfieldexample.entity.User;
import com.javatpoint.searchfieldexample.service.interfaces.UserService;
@Service("userService")
public class UserServiceImpl implements UserService {
@Autowired
UserDAO userDAO;
@Transactional
public int SaveUser(User user) {
return userDAO.SaveUser(user) ;
}
@Transactional
public List getFilteredData(User user) {
return userDAO.getFilteredData(user);
}
}
UserController.java
package com.javatpoint.searchfieldexample.restcontroller;
import java.util.List;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.CrossOrigin;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;
import com.javatpoint.searchfieldexample.entity.User;
import com.javatpoint.searchfieldexample.service.interfaces.UserService;
@RestController
@RequestMapping("/api")
@CrossOrigin(origins = "http://localhost:4200", allowedHeaders = "*", exposedHeaders = "Authorization")
public class UserController {
@Autowired
private UserService userService;
@PostMapping("/saveUser")
public int saveAdminDetail(@RequestBody User user) {
return userService.SaveUser(user);
}
@PostMapping("/filterData")
public List getFilteredData(@RequestBody User user) {
return userService.getFilteredData(user);
}
}
persistence-mysql.properties
#
# JDBC connection properties
#
jdbc.driver=com.mysql.jdbc.Driver
jdbc.url=jdbc:mysql://localhost:3306/searchfieldexample?useSSL=false
jdbc.user=root
jdbc.password=
#
# Connection pool properties
#
connection.pool.initialPoolSize=5
connection.pool.minPoolSize=5
connection.pool.maxPoolSize=20
connection.pool.maxIdleTime=3000
#
# Hibernate properties
#
hibernate.dialect=org.hibernate.dialect.MySQL5Dialect
hibernate.show_sql=true
hibernate.format_sql=true
hibernate.hbm2ddl=update
hibernate.packagesToScan=com.javatpoint.searchfieldexample.entity
让我们看看我们需要遵循的Angular目录结构:
让我们使用以下命令创建一个Angular项目:
ng新的SearchFieldExample
在这里, SearchFieldExample是项目的名称。
使用以下命令在项目中安装引导程序。
npm install bootstrap@3.3.7-保存
现在,在style.css文件中包含以下代码。
@import "~bootstrap/dist/css/bootstrap.css";
我们还使用以下命令创建服务类:-
ng gs服务/用户
import { BrowserModule } from '@angular/platform-browser';
import { NgModule } from '@angular/core';
// import ReactiveFormsModule for reactive form
import { ReactiveFormsModule } from '@angular/forms';
// import Http module
import { HttpModule } from '@angular/http';
import { AppComponent } from './app.component';
import { ShowDataComponent } from './show-data/show-data.component';
import { UserService } from './services/user.service';
@NgModule({
declarations: [
AppComponent,
ShowDataComponent
],
imports: [
BrowserModule,
ReactiveFormsModule,
HttpModule
],
providers: [UserService],
bootstrap: [AppComponent]
})
export class AppModule { }
让我们使用以下命令创建一个类:-
ng g个班级/用户
现在,在User类中指定必填字段。
export class User {
name : string;
emailId : string;
qualification : string;
}
该类的目的是将指定的字段与Spring实体类的字段进行映射。
import { Injectable } from '@angular/core';
import { User } from '../classes/user';
import { Http } from '@angular/http';
@Injectable({
providedIn: 'root'
})
export class UserService {
private baseUrl = "http://localhost:8080/SearchFieldExample/api/";
constructor(private http : Http) { }
getData(user : User)
{
let url = this.baseUrl + "filterData";
return this.http.post(url , user);
}
}
import { Component, OnInit } from '@angular/core';
import { User } from '../classes/user';
import { UserService } from '../services/user.service';
import { FormGroup, FormControl } from '@angular/forms';
@Component({
selector: 'app-show-data',
templateUrl: './show-data.component.html',
styleUrls: ['./show-data.component.css']
})
export class ShowDataComponent implements OnInit {
private user = new User();
private data;
constructor(private userService : UserService) { }
ngOnInit() {
this.getData(this.user);
}
form = new FormGroup({
name : new FormControl(),
email : new FormControl()
});
getData(user)
{
this.userService.getData(user).subscribe(
response => {
this.data = response.json();
},
error => {
console.log("error while getting user Details");
}
);
}
searchForm(searchInfo)
{
this.user.name = this.Name.value;
this.user.emailId = this.Email.value;
this.getData(this.user);
}
get Name()
{
return this.form.get('name');
}
get Email()
{
return this.form.get('email');
}
}
Name
Email
Qualification
{{item.name}}
{{item.emailId}}
{{item.qualification}}
完成后,在Web浏览器中输入URL http:// localhost:4200 /。出现以下网页:
现在,我们可以通过在搜索字段中提供特定的关键字来搜索数据。
按名称搜索:
通过电子邮件ID搜索: