Home Database Mysql Tutorial [原创]Silverlight与Access数据库的互操作(CURD完全解析)

[原创]Silverlight与Access数据库的互操作(CURD完全解析)

Jun 07, 2016 pm 03:38 PM
access c silverlight Original operate database

Silverlight 与 SQL Server 或 SQL Server Express 的互操作,已成为我们常见的开发 Siverlight 应用程序的一种模式。可是在开发一些小型应用程序时,我们就需要使用一些小巧的轻量级的数据库,比如 Access 数据库。由于 Visual Studio 中并没有直接提供 Sil

SilverlightSQL ServerSQL Server Express的互操作,已成为我们常见的开发Siverlight应用程序的一种模式。可是在开发一些小型应用程序时,我们就需要使用一些小巧的轻量级的数据库,比如Access数据库。由于Visual Studio中并没有直接提供SilverlightAccess互操作的系列方法。于是本文就将为大家介绍如何让Silverlight使用Access作为后台数据库。

 

准备工作

1)建立起测试项目

细节详情请见强大的DataGrid组件[2]_数据交互之ADO.NET Entity Framework——Silverlight学习笔记[10]

2)创建测试用数据库

如下图所示,创建一个名为Employees.mdbAccess数据库,建立数据表名称为Employee。将该数据库置于作为服务端的项目文件夹下的App_Data文件夹中,便于操作管理。

[原创]Silverlight与Access数据库的互操作(CURD完全解析) 

建立数据模型

EmployeeModel.cs文件(放置在服务端项目文件夹下)

using System;

using System.Collections.Generic;

using System.Linq;

 

namespace datagridnaccessdb

{

    public class EmployeeModel

    {

        public int EmployeeID { get; set; }

        public string EmployeeName { get; set; }

        public int EmployeeAge { get; set; }

    }

}

 

建立服务端Web Service

右击服务端项目文件夹,选择Add->New Item....,按下图所示建立一个名为EmployeesInfoWebService.asmxWeb Service,作为SilverlightAccess数据库互操作的桥梁。

[原创]Silverlight与Access数据库的互操作(CURD完全解析) 

创建完毕后,双击EmployeesInfoWebService.asmx打开该文件。将里面的内容修改如下:

using System;

using System.Collections.Generic;

using System.Linq;

using System.Web;

using System.Web.Services;

using System.Data.OleDb;//引入该命名空间为了操作Access数据库

using System.Data;

 

namespace datagridnaccessdb

{

    ///

    /// Summary description for EmployeesInfoWebService

    ///

    [WebService(Namespace = "http://tempuri.org/")]

    [WebServiceBinding(ConformsTo = WsiProfiles.BasicProfile1_1)]

    [System.ComponentModel.ToolboxItem(false)]

    // To allow this Web Service to be called from script, using ASP.NET AJAX, uncomment the following line.

    // [System.Web.Script.Services.ScriptService]

    public class EmployeesInfoWebService : System.Web.Services.WebService

    {

        [WebMethod]//获取雇员信息

        public ListEmployeeModel> GetEmployeesInfo()

        {

            ListEmployeeModel> returnedValue = new ListEmployeeModel>();

            OleDbCommand Cmd = new OleDbCommand();

            SQLExcute("SELECT * FROM Employee", Cmd);

            OleDbDataAdapter EmployeeAdapter = new OleDbDataAdapter();

            EmployeeAdapter.SelectCommand = Cmd;

            DataSet EmployeeDataSet = new DataSet();

            EmployeeAdapter.Fill(EmployeeDataSet);

            foreach (DataRow dr in EmployeeDataSet.Tables[0].Rows)

            {

                EmployeeModel tmp = new EmployeeModel();

                tmp.EmployeeID = Convert.ToInt32(dr[0]);

                tmp.EmployeeName = Convert.ToString(dr[1]);

                tmp.EmployeeAge = Convert.ToInt32(dr[2]);

                returnedValue.Add(tmp);

            }

            return returnedValue;

        }

 

        [WebMethod] //添加雇员信息

        public void Insert(ListEmployeeModel> employee)

        {

            employee.ForEach( x =>

            {

                string CmdText = "INSERT INTO Employee(EmployeeName,EmployeeAge) VALUES('"+x.EmployeeName+"',"+x.EmployeeAge.ToString()+")";

                SQLExcute(CmdText);

            });

        }

 

        [WebMethod] //更新雇员信息

        public void Update(ListEmployeeModel> employee)

        {

            employee.ForEach(x =>

            {

                string CmdText = "UPDATE Employee SET EmployeeName='"+x.EmployeeName+"',EmployeeAge="+x.EmployeeAge.ToString();

                CmdText += " WHERE EmployeeID="+x.EmployeeID.ToString();

                SQLExcute(CmdText);

            });

        }

 

        [WebMethod] //删除雇员信息

        public void Delete(ListEmployeeModel> employee)

        {

            employee.ForEach(x =>

            {

                string CmdText = "DELETE FROM Employee WHERE EmployeeID="+x.EmployeeID.ToString();

                SQLExcute(CmdText);

            });

        }

        //执行SQL命令文本,重载1

        private void SQLExcute(string SQLCmd)

        {

            string ConnectionString = "PROVIDER=Microsoft.Jet.OLEDB.4.0;DATA SOURCE=" + Server.MapPath(@"App_Data\Employees.mdb;");

            OleDbConnection Conn = new OleDbConnection(ConnectionString);

            Conn.Open();

            OleDbCommand Cmd = new OleDbCommand();

            Cmd.Connection = Conn;

            Cmd.CommandTimeout = 15;

            Cmd.CommandType = CommandType.Text;

            Cmd.CommandText = SQLCmd;

            Cmd.ExecuteNonQuery();

            Conn.Close();

        }

        //执行SQL命令文本,重载2

        private void SQLExcute(string SQLCmd,OleDbCommand Cmd)

        {

            string ConnectionString = "PROVIDER=Microsoft.Jet.OLEDB.4.0;DATA SOURCE=" + Server.MapPath(@"App_Data\Employees.mdb;");

            OleDbConnection Conn = new OleDbConnection(ConnectionString);

            Conn.Open();

            Cmd.Connection = Conn;

            Cmd.CommandTimeout = 15;

            Cmd.CommandType = CommandType.Text;

            Cmd.CommandText = SQLCmd;

            Cmd.ExecuteNonQuery();

        }

    }

}

之后,在Silverlight客户端应用程序文件夹下,右击References文件夹,选择菜单选项Add Service Reference...。如下图所示,引入刚才我们创建的Web Service(别忘了按Discover按钮进行查找)。

[原创]Silverlight与Access数据库的互操作(CURD完全解析) 

创建Silverlight客户端应用程序

MainPage.xaml文件

UserControl

    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"

    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"

    xmlns:d="http://schemas.microsoft.com/expression/blend/2008" xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"

    mc:Ignorable="d" xmlns:data="clr-namespace:System.Windows.Controls;assembly=System.Windows.Controls.Data" xmlns:dataFormToolkit="clr-namespace:System.Windows.Controls;assembly=System.Windows.Controls.Data.DataForm.Toolkit" x:Class="SilverlightClient.MainPage"

    d:DesignWidth="320" d:DesignHeight="240">

    Grid x:Name="LayoutRoot" Width="320" Height="240" Background="White">

        dataFormToolkit:DataForm x:Name="dfEmployee" Margin="8,8,8,42"/>

        Button x:Name="btnGetData" Height="30" Margin="143,0,100,8" VerticalAlignment="Bottom" Content="Get Data" Width="77"/>

        Button x:Name="btnSaveAll" Height="30" Margin="0,0,8,8" VerticalAlignment="Bottom" Content="Save All" HorizontalAlignment="Right" Width="77"/>

        TextBlock x:Name="tbResult" Height="30" HorizontalAlignment="Left" Margin="8,0,0,8" VerticalAlignment="Bottom" Width="122" TextWrapping="Wrap" FontSize="16"/>

    Grid>

UserControl>

MainPage.xaml.cs文件

using System;

using System.Collections.Generic;

using System.Collections.ObjectModel;

using System.Linq;

using System.Net;

using System.Windows;

using System.Windows.Controls;

using System.Windows.Documents;

using System.Windows.Input;

using System.Windows.Media;

using System.Windows.Media.Animation;

using System.Windows.Shapes;

using System.Xml;

using System.Xml.Linq;

using System.Windows.Browser;

using SilverlightClient.EmployeesInfoServiceReference;

 

namespace SilverlightClient

{

 

    public partial class MainPage : UserControl

    {

        int originalNum;//记录初始时的Employee表中的数据总数

        ObservableCollectionEmployeeModel> deletedID = new ObservableCollectionEmployeeModel>();//标记被删除的对象

 

        public MainPage()

        {

            InitializeComponent();

            this.Loaded += new RoutedEventHandler(MainPage_Loaded);

            this.btnGetData.Click += new RoutedEventHandler(btnGetData_Click);

            this.btnSaveAll.Click += new RoutedEventHandler(btnSaveAll_Click);

            this.dfEmployee.DeletingItem += new EventHandlerCancelEventArgs>(dfEmployee_DeletingItem);

        }

 

        void dfEmployee_DeletingItem(object sender, System.ComponentModel.CancelEventArgs e)

        {

            deletedID.Add(dfEmployee.CurrentItem as EmployeeModel);//正在删除时,将被删除对象进行标记,以便传给服务端真正删除。

        }

 

 

        void btnSaveAll_Click(object sender, RoutedEventArgs e)

        {

            ListEmployeeModel> updateValues = dfEmployee.ItemsSource.CastEmployeeModel>().ToList();

            ObservableCollectionEmployeeModel> returnValues = new ObservableCollectionEmployeeModel>();

            if (updateValues.Count > originalNum)

            {

                //添加数据

                for (int i = originalNum; i

                {

                    returnValues.Add(updateValues.ToArray()[i]);

                }

                EmployeesInfoWebServiceSoapClient webClient = new EmployeesInfoWebServiceSoapClient();

                webClient.InsertCompleted += new EventHandlerAsyncCompletedEventArgs>(webClient_InsertCompleted);

                webClient.InsertAsync(returnValues);

                //必须考虑数据集中既有添加又有更新的情况

                returnValues.Clear();

                updateValues.ForEach(x => returnValues.Add(x));

                webClient.UpdateCompleted += new EventHandlerAsyncCompletedEventArgs>(webClient_UpdateCompleted);

                webClient.UpdateAsync(returnValues);

            }

            else if (updateValues.Count

            {

                //删除数据

                EmployeesInfoWebServiceSoapClient webClient = new EmployeesInfoWebServiceSoapClient();

                webClient.DeleteCompleted += new EventHandlerAsyncCompletedEventArgs>(webClient_DeleteCompleted);

                webClient.DeleteAsync(deletedID);

            }

            else

            {

                //更新数据

                updateValues.ForEach(x => returnValues.Add(x));

                EmployeesInfoWebServiceSoapClient webClient = new EmployeesInfoWebServiceSoapClient();

                webClient.UpdateCompleted += new EventHandlerAsyncCompletedEventArgs>(webClient_UpdateCompleted);

                webClient.UpdateAsync(returnValues);

            }

 

        }

 

        void webClient_UpdateCompleted(object sender, System.ComponentModel.AsyncCompletedEventArgs e)

        {

            tbResult.Text = "更新成功!";
            GetEmployees();
//更新originalNum防止数据的重复插入,感谢园友紫色永恒的及时指出!

        }

 

        void webClient_DeleteCompleted(object sender, System.ComponentModel.AsyncCompletedEventArgs e)

        {

            tbResult.Text = "删除成功!";

        }

 

        void webClient_InsertCompleted(object sender, System.ComponentModel.AsyncCompletedEventArgs e)

        {

            tbResult.Text = "添加成功!";

        }

 

        void btnGetData_Click(object sender, RoutedEventArgs e)

        {

            GetEmployees();

        }

 

        void MainPage_Loaded(object sender, RoutedEventArgs e)

        {

            GetEmployees();

        }

 

        void GetEmployees()

        {

            EmployeesInfoWebServiceSoapClient webClient = new EmployeesInfoWebServiceSoapClient();

            webClient.GetEmployeesInfoCompleted +=

            new EventHandlerGetEmployeesInfoCompletedEventArgs>(webClient_GetEmployeesInfoCompleted);

            webClient.GetEmployeesInfoAsync();

        }

 

        void webClient_GetEmployeesInfoCompleted(object sender, GetEmployeesInfoCompletedEventArgs e)

        {

            originalNum = e.Result.Count;//记录原始数据个数

            dfEmployee.ItemsSource = e.Result;

        }

    }

}

 

最终效果图

[原创]Silverlight与Access数据库的互操作(CURD完全解析) 

作者:Kinglee
文章出处:Kinglee’s Blog (http://www.cnblogs.com/Kinglee/)

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months ago By 尊渡假赌尊渡假赌尊渡假赌
Two Point Museum: All Exhibits And Where To Find Them
1 months ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

How to convert deepseek pdf How to convert deepseek pdf Feb 19, 2025 pm 05:24 PM

DeepSeek cannot convert files directly to PDF. Depending on the file type, you can use different methods: Common documents (Word, Excel, PowerPoint): Use Microsoft Office, LibreOffice and other software to export as PDF. Image: Save as PDF using image viewer or image processing software. Web pages: Use the browser's "Print into PDF" function or the dedicated web page to PDF tool. Uncommon formats: Find the right converter and convert it to PDF. It is crucial to choose the right tools and develop a plan based on the actual situation.

How to read dbf file in oracle How to read dbf file in oracle May 10, 2024 am 01:27 AM

Oracle can read dbf files through the following steps: create an external table and reference the dbf file; query the external table to retrieve data; import the data into the Oracle table.

iOS 18 adds a new 'Recovered' album function to retrieve lost or damaged photos iOS 18 adds a new 'Recovered' album function to retrieve lost or damaged photos Jul 18, 2024 am 05:48 AM

Apple's latest releases of iOS18, iPadOS18 and macOS Sequoia systems have added an important feature to the Photos application, designed to help users easily recover photos and videos lost or damaged due to various reasons. The new feature introduces an album called "Recovered" in the Tools section of the Photos app that will automatically appear when a user has pictures or videos on their device that are not part of their photo library. The emergence of the "Recovered" album provides a solution for photos and videos lost due to database corruption, the camera application not saving to the photo library correctly, or a third-party application managing the photo library. Users only need a few simple steps

Detailed tutorial on establishing a database connection using MySQLi in PHP Detailed tutorial on establishing a database connection using MySQLi in PHP Jun 04, 2024 pm 01:42 PM

How to use MySQLi to establish a database connection in PHP: Include MySQLi extension (require_once) Create connection function (functionconnect_to_db) Call connection function ($conn=connect_to_db()) Execute query ($result=$conn->query()) Close connection ( $conn->close())

How to handle database connection errors in PHP How to handle database connection errors in PHP Jun 05, 2024 pm 02:16 PM

To handle database connection errors in PHP, you can use the following steps: Use mysqli_connect_errno() to obtain the error code. Use mysqli_connect_error() to get the error message. By capturing and logging these error messages, database connection issues can be easily identified and resolved, ensuring the smooth running of your application.

Astar staking principle, income dismantling, airdrop projects and strategies & operation nanny-level strategy Astar staking principle, income dismantling, airdrop projects and strategies & operation nanny-level strategy Jun 25, 2024 pm 07:09 PM

Table of Contents Astar Dapp Staking Principle Staking Revenue Dismantling of Potential Airdrop Projects: AlgemNeurolancheHealthreeAstar Degens DAOVeryLongSwap Staking Strategy & Operation "AstarDapp Staking" has been upgraded to the V3 version at the beginning of this year, and many adjustments have been made to the staking revenue rules. At present, the first staking cycle has ended, and the "voting" sub-cycle of the second staking cycle has just begun. To obtain the "extra reward" benefits, you need to grasp this critical stage (expected to last until June 26, with less than 5 days remaining). I will break down the Astar staking income in detail,

Interpretation of Botanix: decentralized BTC L2 for network asset management (with interactive tutorial) Interpretation of Botanix: decentralized BTC L2 for network asset management (with interactive tutorial) May 08, 2024 pm 06:40 PM

Yesterday, BotanixLabs announced that it has completed a total of US$11.5 million in financing, with participation from Polychain Capital, Placeholder Capital and others. Financing will be used to build the decentralized EVM equivalent of BTCL2Botanix. Spiderchain combines the ease of use of EVM with the security of Bitcoin. Since the testnet went live in November 2023, there have been more than 200,000 active addresses. Odaily will analyze Botanix’s characteristic mechanism and testnet interaction process in this article. Botanix According to the official definition, Botanix is ​​a decentralized Turing-complete L2EVM built on Bitcoin and consists of two core components: Ethereum Virtual Machine

How does Go WebSocket integrate with databases? How does Go WebSocket integrate with databases? Jun 05, 2024 pm 03:18 PM

How to integrate GoWebSocket with a database: Set up a database connection: Use the database/sql package to connect to the database. Store WebSocket messages to the database: Use the INSERT statement to insert the message into the database. Retrieve WebSocket messages from the database: Use the SELECT statement to retrieve messages from the database.

See all articles