我是 ECMAScript 和共享点开发的新手,我有一个小要求,我需要使用 ECMAScript 创建一个列表,并且在创建时它必须检查该列表是否已存在于站点中,如果列表不存在则必须创建新列表。
问问题
759 次
2 回答
1
您可以为此目的使用JSOM或SOAP 服务,下面是演示的JSOM
解决方案。
如何在 SharePoint 2010 中使用 JSOM 创建列表
function createList(siteUrl,listTitle,listTemplateType,success,error) {
var context = new SP.ClientContext(siteUrl);
var web = context.get_web();
var listCreationInfo = new SP.ListCreationInformation();
listCreationInfo.set_title(listTitle);
listCreationInfo.set_templateType(listTemplateType);
var list = web.get_lists().add(listCreationInfo);
context.load(list);
context.executeQueryAsync(
function(){
success(list);
},
error
);
}
如何判断列表是否存在于Web中
不幸的是,JSOM API 不包含任何“内置”方法来确定列表是否存在,但您可以使用以下方法。
一种解决方案是使用列表集合加载 Web 对象,然后遍历列表集合以查找特定列表:
context.load(web, 'Lists');
解决方案
下面的例子演示了如何通过 JSOM 判断 List 是否存在:
function listExists(siteUrl,listTitle,success,error) {
var context = new SP.ClientContext(siteUrl);
var web = context.get_web();
context.load(web,'Lists');
context.load(web);
context.executeQueryAsync(
function(){
var lists = web.get_lists();
var listExists = false;
var e = lists.getEnumerator();
while (e.moveNext()) {
var list = e.get_current();
if(list.get_title() == listTitle) {
listExists = true;
break;
}
}
success(listExists);
},
error
);
}
用法
var webUrl = 'http://contoso.intarnet.com';
var listTitle = 'Toolbox Links';
listExists(webUrl,listTitle,
function(listFound) {
if(!listFound){
createList(webUrl,listTitle,SP.ListTemplateType.links,
function(list){
console.log('List ' + list.get_title() + ' has been created succesfully');
},
function(sender, args) {
console.log('Error:' + args.get_message());
}
);
}
else {
console.log('List with title ' + listTitle + ' already exists');
}
}
);
参考
于 2014-08-30T19:05:39.907 回答
1
您可以使用带有“GetListCollection”的SPServices来查找 Sharepoint 中的所有列表,然后使用“AddList”来创建它。
就像是:
var myList="My List Test"; // the name of your list
var listExists=false;
$().SPServices({
operation: "GetListCollection",
async: true,
webURL:"http://my.share.point/my/dir/",
completefunc: function (xData, Status) {
// go through the result
$(xData.responseXML).find('List').each(function() {
if ($(this).attr("Title") == myList) { listExists=true; return false }
})
// if the list doesn't exist
if (!listExists) {
// see the MSDN documentation available from the SPService website
$().SPServices({
operation: "AddList",
async: true,
webURL:"http://my.share.point/my/dir/",
listName:myList,
description:"My description",
templateID:100
})
}
}
});
确保正确阅读网站,尤其是常见问题解答。您需要在代码中包含 jQuery 和 SPServices。
于 2013-07-25T18:35:22.690 回答