分享人:徐晋
1.表单提交涉及到多个表的改变时,使用CommitSql。
当一个表单提交时,涉及到两个及两个以上表的增删改查时,使用CommitSql语句.例如:一个表单提交,会向两个表格填加数据时。
A.Add(loginUser);
B.Add(loginUser);
这样写会出问题,若A添加成功,而B添加失败,数据库会把A存入,而B没有存入,但这并不是我们想要的结果。我们想要的正常结果是若B失败,A也不应存入数据库。
这时,我们可以改为以CommitSql的形式提交:
tmpSql = A.ReturnSql(loginUser);
tmpSql += B.ReturnSql(loginUser);
public static void CommitSql(string sqlString, int affectNum)
{
OperatorTable<T, Q> tmpDbObject = Activator.CreateInstance<Q>();
if (sqlString.Replace(';', ' ').Trim() == "")
{
if (affectNum == 0)
return;
else
throw new Common.DB.DBException(string.Format("数据库操作不符合预期, 预期: {0}, 实际: {1}",
affectNum, 0));
}
sqlString = SqlBuilderFactory.GetSqlBuilder(tmpDbObject).GetCommitSql(sqlString);
SqlRunner.commitSql(sqlString, affectNum, tmpDbObject);
}
DB.A.CommitSql(tmpSql, 0);
//后面的0的含义是你提交的数据里改变的字段的数量,如果不确定,就写0
总结:Add方法相当于我们每次只是操作一个数据,CommitSql相当于我们把所有需要增删查改的数据打包一起提交到数据库。
2. 前台动态生成表单时若涉及上传文件遇到的问题及解决方法。
前台拼接语句时使用框架中的<uc1:FileUpload runat="server" id="FileUpload" />
,我这里使用的是<input name=’file’ type=’file’>
。但是这样写的话,只能获取到文件的名字,无法真正上传文件,需要在后台写一个上传文件的方法。
uc1:FileUpload
中上传文件的方法写在FileUploadHandler.aspx.cs
文件中,模仿这个文件中的方法在后台写了一个上传文件的方法。实际操作的时候大家可以对照原文件去改。
private string UploadFile(int index)
{
HttpPostedFile curFile = this.Request.Files[index];
curFile.InputStream.Seek(0, SeekOrigin.Begin);
byte[] b = new byte[curFile.InputStream.Length];
curFile.InputStream.Read(b, 0, b.Length);
Random ran = new Random();
string orgName = curFile.FileName;
string imgindex;
string fileName;
string filePath;
string relativePath = "Upload\\File\\" + DateTime.Now.ToString("yyyyMMdd") + "\\";
if (!Directory.Exists(Server.MapPath("/") + relativePath))
Directory.CreateDirectory(Server.MapPath("/") + relativePath);
int i = 0;
do
{
if (i++ > 10)
throw new Common.WebException.WebException("生成地址重复次数太多");
imgindex = DateTime.Now.ToString("yyyyMMddHHmmssttt") + ran.Next(100, 999).ToString();
fileName = Common.Encryptor.Get16MD5Str(imgindex) + Common.Config.ServerId + System.IO.Path.GetExtension(curFile.FileName);
filePath = Server.MapPath("/") + relativePath + fileName;
} while (System.IO.File.Exists(filePath));
System.IO.File.WriteAllBytes(filePath, b);
Response.StatusCode = 200;
Response.Write("/" + (relativePath + fileName).Replace("\\", "/"));
return "/" + (relativePath + fileName).Replace("\\", "/");
}
3. 前台接收后台json时遇到的问题及解决方法。
if(‘<%=Request[‘action’]%>’ == ‘edit’){
var jsonData = <%=jsonPositions%>;
…….
}
若为edit操作没有问题,但是若不是edit操作,页面加载会出现问题。因为页面加载时即使执行不到这句var jsonData = <%=jsonPositions%>
,也会把<%%>
中的语句执行一遍。因为不是edit操作,后台中的jsonPositions
是没有值的,那么这句话就变成了var jsonData = ;
这就会到导致页面加载出现错误。于是,改成:
var jsonStr = '<%=jsonPositions %>';
var jsonData = JSON.parse(jsonStr);
有时候,json串中会包含一些非法字符,那么在执行JSON.parse(jsonStr)
时也会出现错误,导致页面加载出现问题,例如“\”等,可以改成以下方式解决该问题。
var jsonStr = '<%=jsonPositions %>';
var jsonTmp = jsonStr.replace(/\\/g, '!');
var jsonData = JSON.parse(jsonTmp);