`
senton
  • 浏览: 210843 次
  • 性别: Icon_minigender_1
  • 来自: 紫禁城
社区版块
存档分类
最新评论

浅谈 SpringMVC 数据绑定

阅读更多
查看spring源码可以看出spring支持转换的数据类型:
org.springframework.beans.PropertyEditorRegistrySupport:
	/**
	 * Actually register the default editors for this registry instance.
	 */
	private void createDefaultEditors() {
		this.defaultEditors = new HashMap<Class, PropertyEditor>(64);

		// Simple editors, without parameterization capabilities.
		// The JDK does not contain a default editor for any of these target types.
		this.defaultEditors.put(Charset.class, new CharsetEditor());
		this.defaultEditors.put(Class.class, new ClassEditor());
		this.defaultEditors.put(Class[].class, new ClassArrayEditor());
		this.defaultEditors.put(Currency.class, new CurrencyEditor());
		this.defaultEditors.put(File.class, new FileEditor());
		this.defaultEditors.put(InputStream.class, new InputStreamEditor());
		this.defaultEditors.put(InputSource.class, new InputSourceEditor());
		this.defaultEditors.put(Locale.class, new LocaleEditor());
		this.defaultEditors.put(Pattern.class, new PatternEditor());
		this.defaultEditors.put(Properties.class, new PropertiesEditor());
		this.defaultEditors.put(Resource[].class, new ResourceArrayPropertyEditor());
		this.defaultEditors.put(TimeZone.class, new TimeZoneEditor());
		this.defaultEditors.put(URI.class, new URIEditor());
		this.defaultEditors.put(URL.class, new URLEditor());
		this.defaultEditors.put(UUID.class, new UUIDEditor());

		// Default instances of collection editors.
		// Can be overridden by registering custom instances of those as custom editors.
		this.defaultEditors.put(Collection.class, new CustomCollectionEditor(Collection.class));
		this.defaultEditors.put(Set.class, new CustomCollectionEditor(Set.class));
		this.defaultEditors.put(SortedSet.class, new CustomCollectionEditor(SortedSet.class));
		this.defaultEditors.put(List.class, new CustomCollectionEditor(List.class));
		this.defaultEditors.put(SortedMap.class, new CustomMapEditor(SortedMap.class));

		// Default editors for primitive arrays.
		this.defaultEditors.put(byte[].class, new ByteArrayPropertyEditor());
		this.defaultEditors.put(char[].class, new CharArrayPropertyEditor());

		// The JDK does not contain a default editor for char!
		this.defaultEditors.put(char.class, new CharacterEditor(false));
		this.defaultEditors.put(Character.class, new CharacterEditor(true));

		// Spring's CustomBooleanEditor accepts more flag values than the JDK's default editor.
		this.defaultEditors.put(boolean.class, new CustomBooleanEditor(false));
		this.defaultEditors.put(Boolean.class, new CustomBooleanEditor(true));

		// The JDK does not contain default editors for number wrapper types!
		// Override JDK primitive number editors with our own CustomNumberEditor.
		this.defaultEditors.put(byte.class, new CustomNumberEditor(Byte.class, false));
		this.defaultEditors.put(Byte.class, new CustomNumberEditor(Byte.class, true));
		this.defaultEditors.put(short.class, new CustomNumberEditor(Short.class, false));
		this.defaultEditors.put(Short.class, new CustomNumberEditor(Short.class, true));
		this.defaultEditors.put(int.class, new CustomNumberEditor(Integer.class, false));
		this.defaultEditors.put(Integer.class, new CustomNumberEditor(Integer.class, true));
		this.defaultEditors.put(long.class, new CustomNumberEditor(Long.class, false));
		this.defaultEditors.put(Long.class, new CustomNumberEditor(Long.class, true));
		this.defaultEditors.put(float.class, new CustomNumberEditor(Float.class, false));
		this.defaultEditors.put(Float.class, new CustomNumberEditor(Float.class, true));
		this.defaultEditors.put(double.class, new CustomNumberEditor(Double.class, false));
		this.defaultEditors.put(Double.class, new CustomNumberEditor(Double.class, true));
		this.defaultEditors.put(BigDecimal.class, new CustomNumberEditor(BigDecimal.class, true));
		this.defaultEditors.put(BigInteger.class, new CustomNumberEditor(BigInteger.class, true));

		// Only register config value editors if explicitly requested.
		if (this.configValueEditorsActive) {
			StringArrayPropertyEditor sae = new StringArrayPropertyEditor();
			this.defaultEditors.put(String[].class, sae);
			this.defaultEditors.put(short[].class, sae);
			this.defaultEditors.put(int[].class, sae);
			this.defaultEditors.put(long[].class, sae);
		}
	}


下面挑选一些常用的数据类型,举例说明它们的绑定方式

1. 基本数据类型(以int为例,其他类似):
    Controller代码:
	@RequestMapping("test.do")
	public void test(int num) {
		
	}

    JSP表单代码:
      <form action="test.do" method="post">
         <input name="num" value="10" type="text"/>
         ......
      </form>

表单中input的name值和Controller的参数变量名保持一致,就能完成基本数据类型的数据绑定,如果不一致可以使用@RequestParam标注实现。值得一提的是,如果Controller方法参数中定义的是基本数据类型,但是从jsp提交过来的数据为null或者""的话,会出现数据转换的异常。也就是说,必须保证表单传递过来的数据不能为null或"",所以,在开发过程中,对可能为空的数据,最好将参数数据类型定义成包装类型,具体参见下面的第二条。

2. 包装类型(以Integer为例,其他类似):
    Controller代码:
	@RequestMapping("test.do")
	public void test(Integer num) {
		
	}

    JSP表单代码:
      <form action="test.do" method="post">
         <input name="num" value="10" type="text"/>
         ......
      </form>

和基本数据类型基本一样,不同之处在于,JSP表单传递过来的数据可以为null或"",以上面代码为例,如果jsp中num为""或者表单中无num这个input,那么,Controller方法参数中的num值则为null。

3. 自定义对象类型:
    Model代码:
	public class User {
	
		private String firstName;
	
		private String lastName;
	
		public String getFirstName() {
			return firstName;
		}
	
		public void setFirstName(String firstName) {
			this.firstName = firstName;
		}
	
		public String getLastName() {
			return lastName;
		}
	
		public void setLastName(String lastName) {
			this.lastName = lastName;
		}
	
	}

    Controller代码:
	@RequestMapping("test.do")
	public void test(User user) {
		
	}

    JSP表单代码:
      <form action="test.do" method="post">
         <input name="firstName" value="张" type="text"/>
         <input name="lastName" value="三" type="text"/>
         ......
      </form>

非常简单,只需将对象的属性名和input的name值一一对应即可。

4. 自定义复合对象类型:
    Model代码:
	public class ContactInfo {
	
		private String tel;
	
		private String address;
	
		public String getTel() {
			return tel;
		}
	
		public void setTel(String tel) {
			this.tel = tel;
		}
	
		public String getAddress() {
			return address;
		}
	
		public void setAddress(String address) {
			this.address = address;
		}
	
	}

	public class User {
	
		private String firstName;
	
		private String lastName;
	
		private ContactInfo contactInfo;
	
		public String getFirstName() {
			return firstName;
		}
	
		public void setFirstName(String firstName) {
			this.firstName = firstName;
		}
	
		public String getLastName() {
			return lastName;
		}
	
		public void setLastName(String lastName) {
			this.lastName = lastName;
		}
	
		public ContactInfo getContactInfo() {
			return contactInfo;
		}
	
		public void setContactInfo(ContactInfo contactInfo) {
			this.contactInfo = contactInfo;
		}
	
	}

    Controller代码:
	@RequestMapping("test.do")
	public void test(User user) {
		System.out.println(user.getFirstName());
		System.out.println(user.getLastName());
		System.out.println(user.getContactInfo().getTel());
		System.out.println(user.getContactInfo().getAddress());
	}

    JSP表单代码:
      <form action="test.do" method="post">
         <input name="firstName" value="张" /><br>
         <input name="lastName" value="三" /><br>
         <input name="contactInfo.tel" value="13809908909" /><br>
         <input name="contactInfo.address" value="北京海淀" /><br>
         <input type="submit" value="Save" />
      </form>

User对象中有ContactInfo属性,Controller中的代码和第3点说的一致,但是,在jsp代码中,需要使用“属性名(对象类型的属性).属性名”来命名input的name。

5. List绑定:
    List需要绑定在对象上,而不能直接写在Controller方法的参数中。
    Model代码:
	public class User {
	
		private String firstName;
	
		private String lastName;
	
		public String getFirstName() {
			return firstName;
		}
	
		public void setFirstName(String firstName) {
			this.firstName = firstName;
		}
	
		public String getLastName() {
			return lastName;
		}
	
		public void setLastName(String lastName) {
			this.lastName = lastName;
		}
	
	}

        public class UserListForm {
	
		private List<User> users;
	
		public List<User> getUsers() {
			return users;
		}
	
		public void setUsers(List<User> users) {
			this.users = users;
		}
	
	}

    Controller代码:
	@RequestMapping("test.do")
	public void test(UserListForm userForm) {
		for (User user : userForm.getUsers()) {
			System.out.println(user.getFirstName() + " - " + user.getLastName());
		}
	}

    JSP表单代码:
      <form action="test.do" method="post">
         <table>
            <thead>
               <tr>
                  <th>First Name</th>
                  <th>Last Name</th>
               </tr>
            </thead>
            <tfoot>
               <tr>
                  <td colspan="2"><input type="submit" value="Save" /></td>
               </tr>
            </tfoot>
            <tbody>
               <tr>
                  <td><input name="users[0].firstName" value="aaa" /></td>
                  <td><input name="users[0].lastName" value="bbb" /></td>
               </tr>
               <tr>
                  <td><input name="users[1].firstName" value="ccc" /></td>
                  <td><input name="users[1].lastName" value="ddd" /></td>
               </tr>
               <tr>
                  <td><input name="users[2].firstName" value="eee" /></td>
                  <td><input name="users[2].lastName" value="fff" /></td>
               </tr>
            </tbody>
         </table>
      </form>

其实,这和第4点User对象中的contantInfo数据的绑定有点类似,但是这里的UserListForm对象里面的属性被定义成List,而不是普通自定义对象。所以,在JSP中需要指定List的下标。值得一提的是,Spring会创建一个以最大下标值为size的List对象,所以,如果JSP表单中有动态添加行、删除行的情况,就需要特别注意,譬如一个表格,用户在使用过程中经过多次删除行、增加行的操作之后,下标值就会与实际大小不一致,这时候,List中的对象,只有在jsp表单中对应有下标的那些才会有值,否则会为null,看个例子:
    JSP表单代码:
      <form action="test.do" method="post">
         <table>
            <thead>
               <tr>
                  <th>First Name</th>
                  <th>Last Name</th>
               </tr>
            </thead>
            <tfoot>
               <tr>
                  <td colspan="2"><input type="submit" value="Save" /></td>
               </tr>
            </tfoot>
            <tbody>
               <tr>
                  <td><input name="users[0].firstName" value="aaa" /></td>
                  <td><input name="users[0].lastName" value="bbb" /></td>
               </tr>
               <tr>
                  <td><input name="users[1].firstName" value="ccc" /></td>
                  <td><input name="users[1].lastName" value="ddd" /></td>
               </tr>
               <tr>
                  <td><input name="users[20].firstName" value="eee" /></td>
                  <td><input name="users[20].lastName" value="fff" /></td>
               </tr>
            </tbody>
         </table>
      </form>

这个时候,Controller中的userForm.getUsers()获取到List的size为21,而且这21个User对象都不会为null,但是,第2到第19的User对象中的firstName和lastName都为null。打印结果:
aaa - bbb
ccc - ddd
null - null
null - null
null - null
null - null
null - null
null - null
null - null
null - null
null - null
null - null
null - null
null - null
null - null
null - null
null - null
null - null
null - null
null - null
eee - fff


6. Set绑定:
    Set和List类似,也需要绑定在对象上,而不能直接写在Controller方法的参数中。但是,绑定Set数据时,必须先在Set对象中add相应的数量的模型对象。
    Model代码:
	public class User {
	
		private String firstName;
	
		private String lastName;
	
		public String getFirstName() {
			return firstName;
		}
	
		public void setFirstName(String firstName) {
			this.firstName = firstName;
		}
	
		public String getLastName() {
			return lastName;
		}
	
		public void setLastName(String lastName) {
			this.lastName = lastName;
		}
	
	}

	public class UserSetForm {
	
		private Set<User> users = new HashSet<User>();
		
		public UserSetForm(){
			users.add(new User());
			users.add(new User());
			users.add(new User());
		}
	
		public Set<User> getUsers() {
			return users;
		}
	
		public void setUsers(Set<User> users) {
			this.users = users;
		}
	
	}

    Controller代码:
	@RequestMapping("test.do")
	public void test(UserSetForm userForm) {
		for (User user : userForm.getUsers()) {
			System.out.println(user.getFirstName() + " - " + user.getLastName());
		}
	}

    JSP表单代码:
      <form action="test.do" method="post">
         <table>
            <thead>
               <tr>
                  <th>First Name</th>
                  <th>Last Name</th>
               </tr>
            </thead>
            <tfoot>
               <tr>
                  <td colspan="2"><input type="submit" value="Save" /></td>
               </tr>
            </tfoot>
            <tbody>
               <tr>
                  <td><input name="users[0].firstName" value="aaa" /></td>
                  <td><input name="users[0].lastName" value="bbb" /></td>
               </tr>
               <tr>
                  <td><input name="users[1].firstName" value="ccc" /></td>
                  <td><input name="users[1].lastName" value="ddd" /></td>
               </tr>
               <tr>
                  <td><input name="users[2].firstName" value="eee" /></td>
                  <td><input name="users[2].lastName" value="fff" /></td>
               </tr>
            </tbody>
         </table>
      </form>

基本和List绑定类似。
需要特别提醒的是,如果最大下标值大于Set的size,则会抛出org.springframework.beans.InvalidPropertyException异常。所以,在使用时有些不便。暂时没找到解决方法,如果有网友知道,请回帖共享你的做法。

5. Map绑定:
    Map最为灵活,它也需要绑定在对象上,而不能直接写在Controller方法的参数中。
    Model代码:
	public class User {
	
		private String firstName;
	
		private String lastName;
	
		public String getFirstName() {
			return firstName;
		}
	
		public void setFirstName(String firstName) {
			this.firstName = firstName;
		}
	
		public String getLastName() {
			return lastName;
		}
	
		public void setLastName(String lastName) {
			this.lastName = lastName;
		}
	
	}

	public class UserMapForm {
	
		private Map<String, User> users;
	
		public Map<String, User> getUsers() {
			return users;
		}
	
		public void setUsers(Map<String, User> users) {
			this.users = users;
		}
	
	}

    Controller代码:
	@RequestMapping("test.do")
	public void test(UserMapForm userForm) {
		for (Map.Entry<String, User> entry : userForm.getUsers().entrySet()) {
			System.out.println(entry.getKey() + ": " + entry.getValue().getFirstName() + " - " +
                                  entry.getValue().getLastName());
		}
	}

    JSP表单代码:
      <form action="test.do" method="post">
         <table>
            <thead>
               <tr>
                  <th>First Name</th>
                  <th>Last Name</th>
               </tr>
            </thead>
            <tfoot>
               <tr>
                  <td colspan="2"><input type="submit" value="Save" /></td>
               </tr>
            </tfoot>
            <tbody>
               <tr>
                  <td><input name="users['x'].firstName" value="aaa" /></td>
                  <td><input name="users['x'].lastName" value="bbb" /></td>
               </tr>
               <tr>
                  <td><input name="users['y'].firstName" value="ccc" /></td>
                  <td><input name="users['y'].lastName" value="ddd" /></td>
               </tr>
               <tr>
                  <td><input name="users['z'].firstName" value="eee" /></td>
                  <td><input name="users['z'].lastName" value="fff" /></td>
               </tr>
            </tbody>
         </table>
      </form>

打印结果:
x: aaa - bbb
y: ccc - ddd
z: eee - fff




分享到:
评论
14 楼 caizi12 2012-09-23  
对于map绑定很是不方便,现在的做法,需要创建一User类,再创建一个UserMapForm 实际上创建了两个类,为了支持map类型,多写了一个类,并且在获取数据时候,也不太方便,用ibatis做多条件及关联表查询时候,大部用map类型当参数,如果contorller方法直接可以写map参数会很方便,不知道新版本的没有这样的实现。
13 楼 aa87963014 2011-06-13  
混合型数据绑定没说。。。

例如
User.class

String name;
Integer age;
List<Role> roles;

jsp 里面 有name age roles.id 提交之后无法绑定到User 对象里面
12 楼 jorneyR 2011-05-30  
有这么复杂么?不是放在@Controller里,使用@ModelAttribute就可以绑定表单数据了
@Controller
public class ContactController {
    @RequestMapping(value = "/addContact", method = RequestMethod.POST)
    public String addContact(@ModelAttribute("contact") Contact contact, BindingResult result) {
        // @ModelAttribute will binds the data from request to the object
        // Contact.
        System.out.printf("Name: %s, Mail: %s\n", contact.getName(), contact.getMail());
        return "redirect:contacts.htm";
    }

    @RequestMapping("/contacts")
    public ModelAndView showContacts() {
        return new ModelAndView("contact", "command", new Contact());
    }
}
11 楼 jason&xu 2011-05-29  
正在苦恼数据绑定,spring mvc的数据绑定确实没struts2来的方便。
10 楼 ak121077313 2011-05-18  
数据绑定一般的自己从请求里面取不就完了?一般from哪有那么规矩的一个完整User对象传递过来?

除了User 还有其他信息例如Channel 这种 如何绑定?

到头来还是需要从请求里面取?

最后传过来的参数类型不一致错误如何处理?这个可是try-catch不到的异常
9 楼 amwiacel 2011-05-18  
哎,我是很想用springmvc,可一看这数据绑定功能呀,心就凉了。还是选择struts2
8 楼 wellbbs 2011-04-17  
我想问一下 spring3 注解是不是不支持static 的属性 注入??
7 楼 371937605 2011-04-13  
但是想知道如何实现的这个榜定 ,如何bind值呢,想把这部分拿出来借鉴一下用到别的程序中
6 楼 haitaohehe 2011-04-13  
zhc_flex 写道
呵呵,东哥说得从jsp提交过来的数据为null或者""的话,会出现数据转换的异常。 深有体会啊,支持东哥

这个如何解决呢?
5 楼 arong 2011-03-29  
对基本型不允许为null或者"",确实很郁闷。
4 楼 zhc_flex 2011-03-27  
呵呵,东哥说得从jsp提交过来的数据为null或者""的话,会出现数据转换的异常。 深有体会啊,支持东哥
3 楼 ZHH2009 2011-03-26  
像test(int num)这种把表单字段直接映射到方法参数名的方式是不太靠谱的,
这是Spring MVC最大的问题,并且是无法解决的问题,因为它是基于字节码来取方法参数名的,
如果在编译源码时不生成debug信息,
比如javac -g:none 或者 在eclipse中在Preference那个窗口中选"Java->Compiler"把"Add varible..."那个复选框取消,
这样生成的字节码中是不会保存方法参数名的。

最靠谱的办法就是基于java源代码来做,
或者Spring MVC目前已提供的比较啰嗦的注解方式: 在参数名前加@RequestParam

把test(int num)改成下面这样才是万无一失的:

test(@RequestParam("num") int num)



但是这样又太难看了
2 楼 Sunny_kaka 2011-03-25  
确实..springmvc的集合数据绑定,像List,Set使用起来不是很方便.
因为基本上很少会愿意会收集数据再建一个类.
所以一般拿到参数在Controller中手动组装..
1 楼 Tony_Qiu 2011-03-24  
好帖,写得够详细!

相关推荐

    浅谈springMVC接收前端json数据的总结

    在接收前端JSON数据时,Spring MVC提供了灵活的数据绑定机制。对于JSON对象类型的数据,可以通过以下几种方式来接收: 1. 使用Map类型接收JSON数据 当前端传递JSON数据时,可以在后端方法的参数中声明一个Map类型...

    Matlab环境下决策分类树的构建、优化与应用

    内容概要:本文详细介绍了如何利用Matlab构建、优化和应用决策分类树。首先,讲解了数据准备阶段,将数据与程序分离,确保灵活性。接着,通过具体实例展示了如何使用Matlab内置函数如fitctree快速构建决策树模型,并通过可视化工具直观呈现决策树结构。针对可能出现的过拟合问题,提出了基于成本复杂度的剪枝方法,以提高模型的泛化能力。此外,还分享了一些实用技巧,如处理连续特征、保存模型、并行计算等,帮助用户更好地理解和应用决策树。 适合人群:具有一定编程基础的数据分析师、机器学习爱好者及科研工作者。 使用场景及目标:适用于需要进行数据分类任务的场景,特别是当需要解释性强的模型时。主要目标是教会读者如何在Matlab环境中高效地构建和优化决策分类树,从而应用于实际项目中。 其他说明:文中不仅提供了完整的代码示例,还强调了代码模块化的重要性,便于后续维护和扩展。同时,对于初学者来说,建议从简单的鸢尾花数据集开始练习,逐步掌握决策树的各项技能。

    《营销调研》第7章-探索性调研数据采集.pptx

    《营销调研》第7章-探索性调研数据采集.pptx

    Assignment1_search_final(1).ipynb

    Assignment1_search_final(1).ipynb

    美团外卖优惠券小程序 美团优惠券微信小程序 自带流量主模式 带教程.zip

    美团优惠券小程序带举牌小人带菜谱+流量主模式,挺多外卖小程序的,但是都没有搭建教程 搭建: 1、下载源码,去微信公众平台注册自己的账号 2、解压到桌面 3、打开微信开发者工具添加小程序-把解压的源码添加进去-appid改成自己小程序的 4、在pages/index/index.js文件搜流量主广告改成自己的广告ID 5、到微信公众平台登陆自己的小程序-开发管理-开发设置-服务器域名修改成

    《计算机录入技术》第十八章-常用外文输入法.pptx

    《计算机录入技术》第十八章-常用外文输入法.pptx

    基于Andorid的跨屏拖动应用设计.zip

    基于Andorid的跨屏拖动应用设计实现源码,主要针对计算机相关专业的正在做毕设的学生和需要项目实战练习的学习者,也可作为课程设计、期末大作业。

    《网站建设与维护》项目4-在线购物商城用户管理功能.pptx

    《网站建设与维护》项目4-在线购物商城用户管理功能.pptx

    区块链_房屋转租系统_去中心化存储_数据防篡改_智能合约_S_1744435730.zip

    区块链_房屋转租系统_去中心化存储_数据防篡改_智能合约_S_1744435730

    《计算机应用基础实训指导》实训五-Word-2010的文字编辑操作.pptx

    《计算机应用基础实训指导》实训五-Word-2010的文字编辑操作.pptx

    《移动通信(第4版)》第5章-组网技术.ppt

    《移动通信(第4版)》第5章-组网技术.ppt

    ABB机器人基础.pdf

    ABB机器人基础.pdf

    《综合布线施工技术》第9章-综合布线实训指导.ppt

    《综合布线施工技术》第9章-综合布线实训指导.ppt

    最新修复版万能镜像系统源码-最终版站群利器持续更新升级

    很不错的一套站群系统源码,后台配置采集节点,输入目标站地址即可全自动智能转换自动全站采集!支持 https、支持 POST 获取、支持搜索、支持 cookie、支持代理、支持破解防盗链、支持破解防采集 全自动分析,内外链接自动转换、图片地址、css、js,自动分析 CSS 内的图片使得页面风格不丢失: 广告标签,方便在规则里直接替换广告代码 支持自定义标签,标签可自定义内容、自由截取、内容正则截取。可以放在模板里,也可以在规则里替换 支持自定义模板,可使用标签 diy 个性模板,真正做到内容上移花接木 调试模式,可观察采集性能,便于发现和解决各种错误 多条采集规则一键切换,支持导入导出 内置强大替换和过滤功能,标签过滤、站内外过滤、字符串替换、等等 IP 屏蔽功能,屏蔽想要屏蔽 IP 地址让它无法访问 ****高级功能*****· url 过滤功能,可过滤屏蔽不采集指定链接· 伪原创,近义词替换有利于 seo· 伪静态,url 伪静态化,有利于 seo· 自动缓存自动更新,可设置缓存时间达到自动更新,css 缓存· 支持演示有阿三源码简繁体互转· 代理 IP、伪造 IP、随机 IP、伪造 user-agent、伪造 referer 来路、自定义 cookie,以便应对防采集措施· url 地址加密转换,个性化 url,让你的 url 地址与众不同· 关键词内链功能· 还有更多功能等你发现…… 程序使用非常简单,仅需在后台输入一个域名即可建站,不限子域名,站群利器,无授权,无绑定限制,使用后台功能可对页面进行自定义修改,在程序后台开启生 成功能,只要访问页面就会生成一个本地文件。当用户再次访问的时候就直接访问网站本地的页面,所以目标站点无法访问了也没关系,我们的站点依然可以访问, 支持伪静态、伪原创、生成静态文件、自定义替换、广告管理、友情链接管理、自动下载 CSS 内的图。

    《Approaching(Almost)any machine learning problem》中文版第11章

    【自然语言处理】文本分类方法综述:从基础模型到深度学习的情感分析系统设计

    基于Andorid的下拉浏览应用设计.zip

    基于Andorid的下拉浏览应用设计实现源码,主要针对计算机相关专业的正在做毕设的学生和需要项目实战练习的学习者,也可作为课程设计、期末大作业。

    P2插电式混合动力系统Simulink模型:基于逻辑门限值控制策略的混动汽车仿真

    内容概要:本文详细介绍了一个原创的P2插电式混合动力系统Simulink模型,该模型基于逻辑门限值控制策略,涵盖了多个关键模块如工况输入、驾驶员模型、发动机模型、电机模型、制动能量回收模型、转矩分配模型、运行模式切换模型、档位切换模型以及纵向动力学模型。模型支持多种标准工况(WLTC、UDDS、EUDC、NEDC)和自定义工况,并展示了丰富的仿真结果,包括发动机和电机转矩变化、工作模式切换、档位变化、电池SOC变化、燃油消耗量、速度跟随和最大爬坡度等。此外,文章还深入探讨了逻辑门限值控制策略的具体实现及其效果,提供了详细的代码示例和技术细节。 适合人群:汽车工程专业学生、研究人员、混动汽车开发者及爱好者。 使用场景及目标:①用于教学和科研,帮助理解和掌握P2混动系统的原理和控制策略;②作为开发工具,辅助设计和优化混动汽车控制系统;③提供仿真平台,评估不同工况下的混动系统性能。 其他说明:文中不仅介绍了模型的整体架构和各模块的功能,还分享了许多实用的调试技巧和优化方法,使读者能够更好地理解和应用该模型。

    电力系统分布式调度中ADMM算法的MATLAB实现及其应用

    内容概要:本文详细介绍了基于ADMM(交替方向乘子法)算法在电力系统分布式调度中的应用,特别是并行(Jacobi)和串行(Gauss-Seidel)两种不同更新模式的实现。文中通过MATLAB代码展示了这两种模式的具体实现方法,并比较了它们的优劣。并行模式适用于多核计算环境,能够充分利用硬件资源,尽管迭代次数较多,但总体计算时间较短;串行模式则由于“接力式”更新机制,通常收敛更快,但在计算资源有限的情况下可能会形成瓶颈。此外,文章还讨论了惩罚系数rho的自适应调整策略以及在电-气耦合系统优化中的应用实例。 适合人群:从事电力系统优化、分布式计算研究的专业人士,尤其是有一定MATLAB编程基础的研究人员和技术人员。 使用场景及目标:①理解和实现ADMM算法在电力系统分布式调度中的应用;②评估并行和串行模式在不同应用场景下的性能表现;③掌握惩罚系数rho的自适应调整技巧,提高算法收敛速度和稳定性。 其他说明:文章提供了详细的MATLAB代码示例,帮助读者更好地理解和实践ADMM算法。同时,强调了在实际工程应用中需要注意的关键技术和优化策略。

    这篇文章详细探讨了交错并联Buck变换器的设计、仿真及其实现,涵盖了从理论分析到实际应用的多个方面(含详细代码及解释)

    内容概要:本文深入研究了交错并联Buck变换器的工作原理、性能优势及其具体实现。文章首先介绍了交错并联Buck变换器相较于传统Buck变换器的优势,包括减小输出电流和电压纹波、降低开关管和二极管的电流应力、减小输出滤波电容容量等。接着,文章详细展示了如何通过MATLAB/Simulink建立该变换器的仿真模型,包括参数设置、电路元件添加、PWM信号生成及连接、电压电流测量模块的添加等。此外,还探讨了PID控制器的设计与实现,通过理论分析和仿真验证了其有效性。最后,文章通过多个仿真实验验证了交错并联Buck变换器在纹波性能、器件应力等方面的优势,并分析了不同控制策略的效果,如P、PI、PID控制等。 适合人群:具备一定电力电子基础,对DC-DC变换器特别是交错并联Buck变换器感兴趣的工程师和技术人员。 使用场景及目标:①理解交错并联Buck变换器的工作原理及其相对于传统Buck变换器的优势;②掌握使用MATLAB/Simulink搭建交错并联Buck变换器仿真模型的方法;③学习PID控制器的设计与实现,了解其在电源系统中的应用;④通过仿真实验验证交错并联Buck变换器的性能,评估不同控制策略的效果。 其他说明:本文不仅提供了详细的理论分析,还给出了大量可运行的MATLAB代码,帮助读者更好地理解和实践交错并联Buck变换器的设计与实现。同时,通过对不同控制策略的对比分析,为实际工程应用提供了有价值的参考。

    《综合布线施工技术》第8章-综合布线工程案例.ppt

    《综合布线施工技术》第8章-综合布线工程案例.ppt

Global site tag (gtag.js) - Google Analytics