1. Hashtable 数据遍历的几种方式

      ---Hashtable 在集合中称为键值对,它的每一个元素的类型是 DictionaryEntry,由于Hashtable对象的键和值都是Object类型,决定了它可以放任何类型的数据

  1.  Hashtable ht = new Hashtable();
    ht.Add("", person1);
    ht.Add("", person2);
    ht.Add("", person3);
    ht.Add("", person4);
    ht.Add("", person5);
    Console.WriteLine("请输入你的查询的用户名:");
    string strName = Console.ReadLine();
    //第一种方法
    foreach (string item in ht.Keys)
    {
    Person p = (Person)ht[item];
    if (strName == p.Name)
    {
    Console.WriteLine("查询后的结果是:" + p.Name + "\t" + p.Email + "\t" + p.Age);
    }
    } //第二种方法
    foreach (Person item in ht.Values)
    {
    if (item.Name == strName)
    {
    Console.WriteLine("查询后的结果是:" + item.Name + "\t" + item.Email + "\t" + item.Age);
    } }
    //第三种方法
    foreach (DictionaryEntry item in ht)
    {
    if (strName == ((Person)item.Value).Name)
    {
    Console.WriteLine("查询后的结果是:" + ((Person)item.Value).Name + "\t" + ((Person)item.Value).Email + "\t" + ((Person)item.Value).Age);
    }
    } //第四种方法
    IDictionaryEnumerator id = ht.GetEnumerator();
    while (id.MoveNext())
    {
    Person p = (Person)ht[id.Key];
    if (p.Name == strName)
    {
    Console.WriteLine("查询后的结果是:" + p.Name + "\t" + p.Email + "\t" + p.Age);
    }
    }
  2. mysql存储过程游标的使用范例
    使用table 记录CURSOR FETCH 出来的值
    
    CREATE PROCEDURE processorders()
    BEGIN DECLARE o INT;
    DECLARE done BOOLEAN DEFAULT ;
    DECLARE t DECIMAL(,); DECLARE ordernumbers CURSOR
    FOR
    SELECT order_num FROM orders; -- Declare continue handler
    DECLARE CONTINUE HANDLER FOR SQLSTATE '' SET done = ;
    -- SQLSTATE '' 是一个未找到条件,当没有更多行可读的时候设置 done = 然后退出 -- 创建table
    CREATE TABLE IF NOT EXISTS ordertotals(
    order_num INT, total DECIAML(,)
    ); OPEN ordernumbers;
    REPEAT FETCH ordernumbers INTO o;
    CALL ordertotal(o,,t); -- 调用过程 -- 插入table
    INSERT INTO ordertotals(order_num, total)
    VALUES(o,t); UNTIL done END REPEAT; CLOSE ordernumbers;
    END;
  3. 事务处理( transaction processing) 可以用来维护数据库的完整性,它保证成批的MySQL操作要么完全执行,要么不执行。
    几个术语:
    事务:transaction 指一组SQL语句
    回退:rollback 指撤销指定SQL语句过程
    提交:commit 指将为存储的SQL语句结果写入数据库表
    保留点:savepoint 指事务处理中设置的临时占位符,你可以对它发布退回
    -------------
    SELECT * FROM ordertotals;
    START TRANSACTION;
    DELETE FROM ordertotals; --删除表
    SELECT * FROM ordertotals; -- 确认删除
    ROLLBACK; -- 回滚
    SELECT * FROM ordertotal; -- 再次显示 --------------commit
    一般的MySQL语句都是直接针对数据库表进行操作,进行隐含的提交,即提交操作是自动执行的。
    在 事务处理中,提交不会隐含执行,需要使用COMMIT语句。
    START TRANSACTION;
    DELETE FROM orderitems WHERE order_num = ;
    DELETE FROM orders WHERE order_num = ;
    COMMIT;
  4. MySql与SqlServer的一些常用SQL语句用法的差别
  5. 
    本文将主要列出MySql与SqlServer不同的地方,且以常用的存储过程的相关内容为主。
    
    . 标识符限定符
    
    SqlServer    []
    MySql ``
    . 字符串相加 SqlServer 直接用 +
    MySql concat()
    . isnull() SqlServer isnull()
    MySql ifnull()
    注意:MySql也有isnull()函数,但意义不一样
    . getdate() SqlServer getdate()
    MySql now()
    . newid() SqlServer newid()
    MySql uuid()
    . @@ROWCOUNT SqlServer @@ROWCOUNT
    MySql row_count()
    注意:MySql的这个函数仅对于update, insert, delete有效
    . SCOPE_IDENTITY() SqlServer SCOPE_IDENTITY()
    MySql last_insert_id()
    . if ... else ... SqlServer
    IF Boolean_expression
    { sql_statement | statement_block }
    [ ELSE
    { sql_statement | statement_block } ] -- 若要定义语句块,请使用控制流关键字 BEGIN 和 END。
    MySql
    IF search_condition THEN statement_list
    [ELSEIF search_condition THEN statement_list] ...
    [ELSE statement_list]
    END IF
    注意:对于MySql来说,then, end if是必须的。类似的还有其它的流程控制语句,这里就不一一列出。 . declare 其实,SqlServer和MySql都有这个语句,用于定义变量,但差别在于:在MySql中,DECLARE仅被用在BEGIN ... END复合语句里,并且必须在复合语句的开头,在任何其它语句之前。这个要求在写游标时,会感觉很BT. . 游标的写法 SqlServer
    declare @tempShoppingCart table (ProductId int, Quantity int)
    insert into @tempShoppingCart (ProductId, Quantity)
    select ProductId, Quantity from ShoppingCart where UserGuid = @UserGuid declare @productId int
    declare @quantity int
    declare tempCartCursor cursor for
    select ProductId, Quantity from @tempShoppingCart open tempCartCursor
    fetch next from tempCartCursor into @productId, @quantity
    while @@FETCH_STATUS =
    begin
    update Product set SellCount = SellCount + @quantity where productId = @productId fetch next from tempCartCursor into @productId, @quantity
    end close tempCartCursor
    deallocate tempCartCursor
    MySql
    declare m_done int default ;
    declare m_sectionId int;
    declare m_newsId int; declare _cursor_SN cursor for select sectionid, newsid from _temp_SN;
    declare continue handler for not found set m_done = ; create temporary table _temp_SN
    select sectionid, newsid from SectionNews group by sectionid, newsid having count(*) > ; open _cursor_SN;
    while( m_done = ) do
    fetch _cursor_SN into m_sectionId, m_newsId; if( m_done = ) then
    -- 具体的处理逻辑
    end if;
    end while;
    close _cursor_SN;
    drop table _temp_SN;
    注意:为了提高性能,通常在表变量上打开游标,不要直接在数据表上打开游标。 . 分页的处理 SqlServer
    create procedure GetProductByCategoryId(
    @CategoryID int,
    @PageIndex int = ,
    @PageSize int = ,
    @TotalRecords int output
    )
    as
    begin declare @ResultTable table
    (
    RowIndex int,
    ProductID int,
    ProductName nvarchar(),
    CategoryID int,
    Unit nvarchar(),
    UnitPrice money,
    Quantity int
    ); insert into @ResultTable
    select row_number() over (order by ProductID asc) as RowIndex,
    p.ProductID, p.ProductName, p.CategoryID, p.Unit, p.UnitPrice, p.Quantity
    from Products as p
    where CategoryID = @CategoryID; select @TotalRecords = count(*) from @ResultTable; select *
    from @ResultTable
    where RowIndex > (@PageSize * @PageIndex) and RowIndex <= (@PageSize * (@PageIndex+)); end;
    当然,SqlServer中并不只有这一种写法,只是这种写法是比较常见而已。 MySql
    create procedure GetProductsByCategoryId(
    in _categoryId int,
    in _pageIndex int,
    in _pageSize int,
    out _totalRecCount int
    )
    begin set @categoryId = _categoryId;
    set @startRow = _pageIndex * _pageSize;
    set @pageSize = _pageSize; prepare PageSql from
    'select sql_calc_found_rows * from product where categoryId = ? order by ProductId desc limit ?, ?';
    execute PageSql using @categoryId, @startRow, @pageSize;
    deallocate prepare PageSql;
    set _totalRecCount = found_rows(); end
    MySql与SqlServer的差别实在太多,以上只是列出了我认为经常在写存储过程中会遇到的一些具体的差别之处
  6. winform程序动态加载控件,总是窗体先出现,防止窗体上的控件闪一下,在主窗体里加入如下代码:
             /// <summary>
    /// 防止窗体闪烁
    /// </summary>
    protected override CreateParams CreateParams
    {
    get
    {
    CreateParams cp = base.CreateParams;
    cp.ExStyle |= 0x02000000;
    return cp;
    }
    }

winform学习笔记02的更多相关文章

  1. 软件测试之loadrunner学习笔记-02集合点

    loadrunner学习笔记-02集合点 集合点函数可以帮助我们生成有效可控的并发操作.虽然在Controller中多用户负载的Vuser是一起开始运行脚本的,但是由于计算机的串行处理机制,脚本的运行 ...

  2. 机器学习实战(Machine Learning in Action)学习笔记————02.k-邻近算法(KNN)

    机器学习实战(Machine Learning in Action)学习笔记————02.k-邻近算法(KNN) 关键字:邻近算法(kNN: k Nearest Neighbors).python.源 ...

  3. OpenCV 学习笔记 02 使用opencv处理图像

    1 不同色彩空间的转换 opencv 中有数百种关于不同色彩空间的转换方法,但常用的有三种色彩空间:灰度.BRG.HSV(Hue-Saturation-Value) 灰度 - 灰度色彩空间是通过去除彩 ...

  4. SaToken学习笔记-02

    SaToken学习笔记-02 如果排版有问题,请点击:传送门 常用的登录有关的方法 - StpUtil.logout() 作用为:当前会话注销登录 调用此方法,其实做了哪些操作呢,我们来一起看一下源码 ...

  5. Redis:学习笔记-02

    Redis:学习笔记-02 该部分内容,参考了 bilibili 上讲解 Redis 中,观看数最多的课程 Redis最新超详细版教程通俗易懂,来自 UP主 遇见狂神说 4. 事物 Redis 事务本 ...

  6. OGG学习笔记02

    实验环境:源端:192.168.1.30,Oracle 10.2.0.5 单实例目标端:192.168.1.31,Oracle 10.2.0.5 单实例 1.模拟源数据库业务持续运行 2.配置OGG前 ...

  7. 《Master Bitcoin》学习笔记02——比特币的交易模型

    比特币的交易模型 模型基本描述 前面一篇学习笔记01提到了一个交易模型(第三章的内容),在第五章中,除了对这个模型做个详细介绍之外,其实和我上一篇理解的交易模型差不多,一个交易包含输入与输出,比特币是 ...

  8. [Golang学习笔记] 02 命令源码文件

    源码文件的三种类型: 命令源文件:可以直接运行的程序,可以不编译而使用命令“go run”启动.执行. 库源码文件 测试源码文件 面试题:命令源码文件的用途是什么,怎样编写它? 典型回答: 命令源码文 ...

  9. [原创]java WEB学习笔记02:javaWeb开发的目录结构

    本博客为原创:综合 尚硅谷(http://www.atguigu.com)的系统教程(深表感谢)和 网络上的现有资源(博客,文档,图书等),资源的出处我会标明 本博客的目的:①总结自己的学习过程,相当 ...

随机推荐

  1. 在AngularJS中同一个页面配置一个或者多个ng-app

    在AngularJS学习中,对于ng-app初始化一个AngularJS程序属性的使用需要注意,在一个页面中AngularJS自动加载第一个ng-app,其他ng-app会忽略, 如果需要加载其他ng ...

  2. 使用日期控件datePicker,阻止移动端的自动调取键盘的事件

    方法:简单来说就是阻止input的默认事件. 因为datePicker就是用input来封装的,所以直接阻止input的输入事件就ok: 很简单,把input field属性readonly设置为tr ...

  3. hive的使用01

    1.安装mysql数据库 1.1 查看本机是否安装了mysql数据库(rpm -qa | grep mysql)

  4. iOS10通知框架UserNotification理解与应用

    iOS10通知框架UserNotification理解与应用 一.引言 关于通知,无论与远程Push还是本地通知,以往的iOS系统暴漏给开发者的接口都是十分有限的,开发者只能对标题和内容进行简单的定义 ...

  5. 名词王国里的死刑execution in the kingdom of nouns

    http://www.cnblogs.com/bigfish--/archive/2011/12/31/2308407.htmlhttp://justjavac.com/java/2012/07/23 ...

  6. 使用Gson转换json数据为Java对象的一个例子

    记录工作中碰到的一个内容. 原料是微信平台的一个接口json数据. { "errcode" : 0, "errmsg" : "ok", &q ...

  7. 浅析word-break work-wrap区别

    word-break:[断词] 定义:规定自动换行的处理方法.   注:通过word-break使用,可以实现让浏览器在任意位置换行. 语法:word-break: normal|break-all| ...

  8. Win7快速启动栏

    http://jingyan.baidu.com/article/456c463bbc1d140a583144cf.html 1. 在任务栏上右键 -> 工具栏 -> 新建工具栏.   在 ...

  9. 内存屏障 & Memory barrier

    Memory Barrier http://www.wowotech.net/kernel_synchronization/memory-barrier.html 这里面讲了Memory Barrie ...

  10. MIT牛人解说数学体系

    https://www.douban.com/group/topic/11115261/ 在过去的一年中,我一直在数学的海洋中游荡,research进展不多,对于数学世界的阅历算是有了一些长进. 为什 ...