了解使用JavaScript进行面向对象编程的基础(并增强您的编码…

by Kris Baillargeon

通过克里斯·拜伦

学习使用JavaScript进行面向对象编程的基础知识(并增强您的编码能力!) (Learn the basics of object-oriented programming with JavaScript (and supercharge your coding abilities!))

As a moderator of the freeCodeCamp chat rooms, I spend a lot of time with new developers. Boy, are they eager to learn. For a lot us, this can be quite a challenging quality.

作为freeCodeCamp聊天室的主持人,我花了很多时间在新开发人员身上 。 男孩,他们渴望学习吗? 对于我们很多人来说,这可能是一个具有挑战性的品质。

In the case of object-oriented programming (OOP), this rings especially true. What the heck is a method and why is it so special? What’s the difference between a method and a property? Why do we even use object-oriented programming, and why is it essential to me as a developer? These are some questions I asked myself while learning OOP, and because you’re here, it’s safe to assume that you have, too.

在面向对象编程(OOP)的情况下,尤其如此。 什么是方法,为什么它如此特别? 方法和属性有什么区别 为什么我们甚至使用面向对象的程序,为什么对于我作为开发人员来说这是必不可少的? 这些是我在学习OOP时问自己的一些问题,并且因为您在这里,所以可以肯定地假设您也有。

在JavaScript中使用面向对象的编程 (Using Object-Oriented Programming with JavaScript)

Almost everything in JavaScript is an object. Somewhere behind the scenes, every piece of code you write is either written or stored with OOP. That’s one of the reasons why it’s so important to understand it. If you don’t then you’ll most likely never be able to read other developers’ code. On top of that, your code will never reach its full potential!

JavaScript中的几乎所有东西都是对象。 在幕后的某个地方,您编写的每段代码都是用OOP编写或存储的。 这就是理解它如此重要的原因之一。 如果您不这样做,那么您极有可能永远无法阅读其他开发人员的代码。 最重要的是,您的代码将永远无法发挥其全部潜能!

A new object is made in JavaScript by assigning a variable to two curly brackets, like this:

通过将变量分配给两个大括号来在JavaScript中创建一个新对象,如下所示:

var myObject = {};
// var myObject = new Object();  // Non recommended version, but it works

It’s that simple! You now have an object that can store any type of data you would store in a variable. There are many ways of inserting data into an object, but we’ll stick to the easiest methods right now.

就这么简单! 现在,您有了一个可以存储将存储在变量中的任何类型的数据的对象。 有多种方法可以将数据插入对象,但现在我们将坚持最简单的方法。

快速语法课 (Quick Syntax Lesson)

To end a line in JavaScript, when making a variable like this:

在制作这样的变量时,要在JavaScript中结束一行:

var a = 5;

var a = 5;

the “line” ends at the semicolon. When you’re making an object, the “line” will end with a comma, like so:

“行”以分号结尾。 制作对象时,“行”将以逗号结尾,如下所示:

myObject = { myProp: 5,  myOtherProp: 10,}
  • Property/Key: The name of an object variable. An example would be myProp in the above code. || Left hand side of assignments

    属性/键:对象变量的名称。 一个例子是myProp 在上面的代码中。 || 作业的左侧

  • Method : A function inside of an object, only available to that object. This is a type of property.

    方法:对象内部的函数,仅对该对象可用。 这是一种属性。
  • Value: The value of an object variable. An example would be 10, which is the value of myOtherProp. This can be any valid JavaScript datatype.

    值:对象变量的值。 一个例子是10,这是myOtherProp.的值myOtherProp. 这可以是任何有效JavaScript数据类型。

Only the last property in an object may not use a comma.

只有在一个对象中的最后一个属性可以不使用逗号。

Note: You may enclose your properties in single or double quotes. If there is a space in the property name, you must always use quotes. When using JSON, using quotes is not optional.

注意:您可以将属性用单引号或双引号引起来。 如果属性名称中有空格,则必须始终使用引号。 使用JSON时 ,使用引号不是可选的。

引用对象属性 (Referencing Object Properties)

点表示法 (Dot notation)

There are two ways of referencing an object, both having a name as reference. The most commonly used, dot notation, is what is primarily used. It looks like this:

有两种引用对象的方法,两种方法都有一个名称作为引用。 最常用的是点符号它是主要使用的符号。 看起来像这样:

var myObject = {
otherObject: {            one: 1,        two: 2      },
addFunction: function(x,y){ return x+y }
}
var dot = myObject.otherObject;console.log(dot);//evaluates to otherObject: {..props:vals..}

The above code goes into myObject and adds another object to it, otherObject via dot notation. Any name that can be used as a variable is suitable for use in dot notation. Dot notation is best practice for referencing any property that doesn’t include spaces.

上面的代码进入myObject 并向其中添加另一个对象otherObject 通过点表示法。 可以用作变量的任何名称都适用于点表示法。 点表示法是引用任何不包含空格的属性的最佳实践。

括号符号 (Bracket Notation)

var myObject = {  "Other Obj": {          one: 1,      two: 2    }}
var bracket = myObject["Other Obj"];
bracket.newProperty = "This is a new property in myObject";
console.log(bracket.newProperty);
//evaluates to myObject["Other Obj"].newProperty

The other way to reference objects is via bracket notation. This is only recommended if the object’s property contains a space, such as the property myObject[“Other Object”]; . In this case, using bracket notation is a must. When naming methods, don’t use spaces — otherwise the function can’t be called. Additionally, you can use quotes to name any property.

引用对象的另一种方法是通过括号符号。 仅当对象的属性包含空格时才建议这样做,例如,属性myObject[“Other Object”]; 。 在这种情况下,必须使用括号符号。 在命名方法时,请勿使用空格-否则无法调用该函数。 此外,您可以使用引号命名任何属性。

使用JavaScript IRL (Using JavaScript IRL)

Constructor Functions are worth mentioning, as we will be making our own form of constructor functions later on in this article. To do this, we must first learn two JavaScript keywords — new and this. You use the new keyword when referring to the constructor function.

建设者 函数值得一提,因为我们将在本文的后面部分构造自己的构造函数。 要做到这一点,首先要学会两个JavaScript关键字- 还有这个 。 引用构造函数时,请使用new关键字。

For the this keyword, it’s basically a fancy keyword for the last called function parent object. If it has no parent object, window will be its parent object. You can bind a function to this keyword using Function.bind(). Learn more here. But that’s a bit more advanced. Make any sense? Let’s look at some code:

对于this关键字,它基本上是最后一个调用函数的父对象的特殊关键字。 如果没有父对象,则window将为其父对象。 您可以将功能绑定到此 使用Function.bind ()的关键字 在这里了解更多 但这有点高级。 有道理吗? 让我们看一些代码:

var ConstructorForPerson = function(first, last, email) {  this.firstName = first;this.lastName = last;this.fullName = first + " " + last;this.eMail =  email;
}
var Bob = new ConstructorForPerson("bob", "brown", "bob122099@gmail.com");
console.log(Bob.eMail);
//evals "bob122099@gmail.com"

The above code will return a new object, Bob. That is the result of the constructor function, which will have the properties Bob.firstName, Bob.lastName, Bob.fullName, and Bob.eMail.

上面的代码将返回一个新对象Bob. 那是构造函数的结果,它将具有属性Bob.firstNameBob.lastName Bob.fullNameBob.eMail

Note that inside of a constructor function, instead of ending a line with a comma, it ends with a semicolon like you would expect inside a function. Optionally, to keep things simple, you can make your own constructor functions without using new or this. That’s what we’ll be doing today so we can see all the moving pieces better.

请注意,在构造函数内部,与其以逗号结尾,不如在函数内部以分号结尾。 (可选)为使事情简单,您可以使用自己的构造函数而无需使用new 或者这个 这就是我们今天要做的,因此我们可以更好地看到所有运动部件。

简单来说 (In Simple Terms)

Object-oriented programming is a way of structuring your code for optimal readability, use, and maintenance. With this in mind, let’s try coding a representation of Google as a business, including some functions of a normal company.

面向对象的编程是一种结构化代码以实现最佳可读性,使用和维护的方式。 考虑到这一点,让我们尝试编码Google的业务代表形式,包括普通公司的某些功能。

  • The Object — The Building/Management. This will contain all the information about any kind of employee, anything that can be done to an employee, including making a new one.

    对象-建筑物/管理 这将包含有关任何类型雇员的所有信息,可以对雇员进行的所有操作,包括创建新雇员。

  • The Properties — The Employees. This can be a manager or a desk clerk. This can be a list of employees. This can be your gross profit for this year. Pretty much anything.

    属性-员工 这可以是经理或办公桌文员。 这可以是员工列表。 这可以是您今年的毛利。 几乎任何东西。

  • The Methods — What Can Google Do? What Can The Employees Do? This is how new employees are made, as well as how they will “perform tasks”.

    方法-Google可以做什么? 员工可以做什么? 这就是新员工的培养方式以及他们“执行任务”的方式。

让我们编码! (Let’s Code!)

First, let’s look at our end result:

首先,让我们看一下最终结果:

var google = { //create {google}
employees: {           management: {            },
developers: {                 },
maintenance: {            }   },      NewEmployee: function(name, role, phone, idNumber) {  //create NewExployee()            var newEmployeeData = {        name: name,        role: role,        phone: phone,        idNumber: idNumber,        working: false,        hours: [],       }     //make new object to append to google.employees[role]        google.employees[role][name] = newEmployeeData;    //assign object to google.employees[role][name]
return  google.employees[role][name];  //return the new object directly from google.employees[role][name]        } //end NewEmployee  } //end {google}
google.NewEmployee("james", "maintenance", "2035555555", "1234521"); //create {google:employees:maintenance["james"]} from NewEmployee()
google.employees["maintenance"]["james"].clockInOut = function() { //create clockInOut() - default false         if(this.working) {         this.hours[this.hours.length - 1].push(Date.now());         this.working = false;         return this.name + " clocked out at " + Date.now();        }       else{         this.hours.push([Date.now()]);         this.working = true;         return this.name + " clocked in at " + Date.now();        }
return "Error"     //if above doesn't work, "Error" }
google.employees["maintenance"]["james"].clockInOut(); //clock James in or out, returns a string w/ the time & state

Daunting?

令人生畏的?

Let’s break it down into smaller pieces. To start, we’ll make a global object called Google. It will contain another object for employees, which will contain more objects for each role and its individual employees.

让我们将其分解为较小的部分。 首先,我们将创建一个名为Google的全局对象。 它将为员工包含另一个对象,该对象将为每个角色及其单个员工包含更多对象。

So what will this look like in code? For the sake of keeping things easy, we’re going to make a constructor using a normal function. It will have 7 properties: name, role, phone, idNumber, working, and hours.

那么这在代码中会是什么样? 为了使事情变得简单,我们将构造一个构造函数 使用正常功能。 它将具有7个属性: name role, phone idNumber working hours

In addition, it will have 1 method: clockInOut(), which will look at the working property to update hours.

此外,它将有1个方法: clockInOut(),它将查看working属性以更新hours.

Let’s break it down.

让我们分解一下。

First, we’re going to update our Google object with the NewEmployee() constructor function. Remember, instead of using the regular JavaScript constructor function, we’ll be using our own.

首先,我们将使用NewEmployee()构造函数更新Google对象。 请记住,我们将使用自己JavaScript而不是常规JavaScript构造函数。

Note: Pay attention to syntax as it will switch around a bit depending on what you’re doing

注意:请注意语法,因为语法会根据您的操作而有所变化

Also note: These examples will not run properly as they do not have the correct dependencies/properties/variables. Most if not all functionality from the final product will return an error. If you run the final product, however, everything should work fine.

另请注意:这些示例将不正确运行,因为它们没有正确的依赖关系/属性/变量。 最终产品的大多数功能(如果不是全部功能)将返回错误。 但是,如果您运行最终产品,则一切都会正常运行。

var google = { //create {google}
employees: {           management: {
},           developers: {
},
maintenance: {
}         }, //<--this comma is unnecessary right now but when we add more object properties it will be necessary}

employees holds other objects which are various roles in the company: management, developers, and maintenance. We will be adding an employee via the employee’s role, in this case, maintenance.

employees还拥有公司中其他各种角色: managementdevelopersmaintenance 。 我们将通过员工角色(在这种情况下为维护)来添加员工。

var google = {  NewEmployee: function(name, role, phone, idNumber) {    var newEmployeeData = {      name: name,      role: role,      phone: phone,      idNumber: idNumber,      working: false,      hours: [],     }     //make new object to append to google.employees[role]        google.employees[role][name] = newEmployeeData;    //assign object to google.employees[role][name]
return  google.employees[role][name];  //return the new object directly from google.employees[role][name]  }}

Our “constructor” function”. Pretty straightforward, it takes a new object and appends it to the corresponding role.

我们的“构造函数”。 非常简单,它需要一个新对象并将其附加到相应的角色。

google.employees["maintenance"]["james"].clockInOut = function() { //create clockInOut() - default false         if(this.working) {         this.hours[this.hours.length - 1].push(Date.now());         this.working = false;         return this.name + " clocked out at " + Date.now();        }       else{         this.hours.push([Date.now()]);         this.working = true;         return this.name + " clocked in at " + Date.now();        }
return "Error" //if above doesn't work, "Error" }
google.employees["maintenance"]["james"].clockInOut(); //call clockInOut()

This is where it might get confusing. Remember that the keyword this is just a funny way to say the calling function’s parent object? In the above, we add the method clockInOut() to our code. We invoke it simply by calling it. If working is false, it will create a new array with a Unix timestamp at index 0. If you’re already working, it will just append a Unix timestamp to the last created array, creating an array that looks kind of like this: [1518491647421, 1518491668453] with the first timestamp being when the employee “clocks in”, the second being when the employee “clocks out”.

这可能会使您感到困惑。 请记住,关键字this 说调用函数的父对象只是一种有趣的方式? 在上面的代码中,我们将方法clockInOut ()添加到了代码中。 我们只需调用它即可调用它。 如果work为false,它将创建一个带有Unix时间戳索引为0的新数组。如果您已经在工作,它将Unix时间戳附加到最后创建的数组,从而创建一个看起来像这样的数组:[ 1518491647421、1518491668453],第一个时间戳是员工“进门”的时间,第二个时间戳是员工“进门”的时间。

Now we’ve seen how using OOP can be practical! Each individual employee can “clock in” and “clock out” with a simple function call, and all you have to know is their name and role!

现在我们已经看到了使用OOP的实用性! 每个员工都可以通过一个简单的函数调用“拨入”和“拨出”,您只需要知道他们的名字和角色!

This can, of course, be optimized to do something like look at an ID number instead of their role and name, but let’s not over-complicate things. Below we bring everything back into one program. Slightly less scary, right?

当然,可以对此进行优化,以执行类似于查看ID号的操作,而不是查看其角色和名称,但是我们不要使事情复杂化。 下面,我们将所有内容重新整合到一个程序中。 有点吓人吧?

var google = { //create {google}
employees: {           management: {      },      developers: {      },
maintenance: {      }         },      NewEmployee: function(name, role, phone, idNumber) { //create NewExployee()            var newEmployeeData = {        name: name,        role: role,        phone: phone,        idNumber: idNumber,        working: false,        hours: [],       }     //make new object to append to google.employees[role]        google.employees[role][name] = newEmployeeData;    //assign object to google.employees[role][name]
return  google.employees[role][name];  //return the new object directly from google.employees[role][name]        }//end NewEmployee  } //end {google}
google.NewEmployee("james", "maintenance", "2035555555", "1234521"); //create {google:employees:maintenance["james"]} from NewEmployee()
google.employees["maintenance"]["james"].clockInOut = function() { //create clockInOut() - default false         if(this.working) {         this.hours[this.hours.length - 1].push(Date.now());         this.working = false;         return this.name + " clocked out at " + Date.now();        }       else{         this.hours.push([Date.now()]);         this.working = true;         return this.name + " clocked in at " + Date.now();        }
return "Error" //if above doesn't work, "Error" }
google.employees["maintenance"]["james"].clockInOut(); //call clockInOut()

Using Object Oriented Programming can not only make your code more powerful, but also much more readable to other developers. Feel free to contact me through Github for projects, Free Code Camp info, Javascript/HTML/CSS help, to encourage me to write a tutorial on using JSON and APIS, or to talk about cats!

使用面向对象的编程不仅可以使您的代码更强大,而且对其他开发人员也更具可读性。 请随时通过Github与我联系以获取项目, 免费的代码营信息,Javascript / HTML / CSS帮助,鼓励我编写有关使用JSON和APIS的教程或谈论猫!

By the way, if you didn’t know, everything taught in this tutorial as well as ANYTHING you need to know about vanilla Javascript, HTML, CSS and more, you can count on MDN to have an extensive amount of knowledge on it. It’s basically Google for web developers! It’s also 1220% free and open source.

顺便说一句,如果您不知道本教程中教授的所有内容以及有关原始Javascript,HTML,CSS等的任何知识,则可以依靠MDN来获得大量的知识。 基本上是面向网络开发人员的Google! 它还是1220%的免费开放源代码。

Don’t forget to clap & follow if you enjoyed! More articles coming soon! :)

如果您喜欢的话,别忘了拍手跟着! 更多文章即将推出! :)

Keep up with me on Instagram @krux.io

跟我上Instagram @ krux.io

FURTHER LEARNING ON MDN:

关于MDN的进一步学习:

OOP FOR BEGINNERS

适合初学者

GLOBAL OBJECTS

全球对象

JSON TUTORIAL

JSON教程

USING JSON IN JAVASCRIPT — GLOBAL JSON OBJECT

在JAVASCRIPT中使用JSON —全局JSON对象

KEYWORD THIS

关键字this

CONSTRUCTOR FUNCTIONS

构造函数

翻译自: https://www.freecodecamp.org/news/intro-to-object-oriented-programming-oop-with-javascript-made-easy-a317b87d6943/

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/395044.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

postgresql的别名要用双引号才可以

postgresql的别名要用双引号""才可以 转载于:https://www.cnblogs.com/handsome1013/p/10443001.html

imx6 mac地址设置

imx6的mac地址总是固定的值&#xff0c;所以需要更改&#xff0c;采用的方法是在uboot中设置环境变量,之后在kernel中使用uboot中设置的mac地址的值。本文记录更改的过程。 参考链接&#xff1a; http://www.cnblogs.com/zengjfgit/p/5711304.html uboot lib_arm/board.c …

java try catch陷阱_Java异常处理最佳实践及陷阱防范

原标题&#xff1a;Java异常处理最佳实践及陷阱防范出自《深夜里的程序猿》作者&#xff1a;wangzenghuang前言不管在我们的工作还是生活中&#xff0c;总会出现各种“错误”&#xff0c;各种突发的“异常”。无论我们做了多少准备&#xff0c;多少测试&#xff0c;这些异常总会…

vivo手机怎么投屏到电脑_投屏软件电脑加手机投屏软件投屏

优秀的资源工具可以让你事半功倍&#xff01;本号文内资源已经手工转存整理&#xff0c;安全起见&#xff0c;回复 “领取资源” 按提示自助领取。今天分享的是一家公司出品的投屏神器。为避免被举报这里就不说出软件名了。它可以在局域网内把手机的屏幕投到电脑上&#xff0c;…

How to upload windows Sysprep Files to VMware vCenter Server Appliance 6.5(vC

vCSA5.5中可以登录到端口5480中去上传&#xff0c;vCSA 6.0以后就不支持了。但是可以通过Enable “Pi Shell”来做。 首先确保vCSA的ssh可用&#xff1a; 0. Make sure that SSH in enabled on the VCSA. Home > Administration > System configuration (under Deploymen…

开源短地址_如何在短短5分钟内完成您的第一个开源贡献

开源短地址by Roshan Jossey罗珊乔西(Roshan Jossey) 如何在短短5分钟内完成您的第一个开源贡献 (How to make your first open source contribution in just 5 minutes) The best way to level up your programming skills it to code more. The second best thing is to rea…

【Qt开发】QT对话框去掉帮助和关闭按钮 拦截QT关闭窗口的CloseEvent

建了一个对话框&#xff0c;我不想把边框去掉&#xff0c;只想去掉关闭按钮&#xff0c; setWindowFlags(windowFlags()&~Qt::WindowCloseButtonHint&~Qt::WindowContextHelpButtonHint); 结果那个问号的按钮去掉了&#xff0c;但是关闭按钮还在&#xff0c;求助啊 set…

Vivado Design Suite用户指南之约束的使用第二部分(约束方法论)

Constraints Methodology&#xff08;约束方法论&#xff09; 关于约束方法论 设计约束定义了编译流程必须满足的要求&#xff0c;以使设计在板上起作用。 并非所有步骤都使用所有约束在编译流程中。 例如&#xff0c;物理约束仅在实现步骤期间使用&#xff08;即&#xff0c;由…

eval函数 php_PHP的一句话木马代码和函数eval的简介

大清早的刚从床上爬起来。雨落就跑来找我问我这段代码是什么意思<?php eval($_POST[pp]);?>看了一下&#xff0c;post接收pp的值&#xff0c;抑制错误输出。呵呵开个玩笑&#xff0c;其实不是这么简单&#xff0c;这是一段PHP木马代码&#xff0c;也就是我们所说的后门…

linux安装python_Python - 爱豆

Python下载Python最新源码&#xff0c;二进制文档&#xff0c;新闻资讯等可以在Python的官网查看到&#xff1a;Python官网&#xff1a;你可以在以下链接中下载 Python 的文档&#xff0c;你可以下载 HTML、PDF 和 PostScript 等格式的文档。Python文档下载地址&#xff1a;doc…

如何将您的#100DaysOfCode登录转换为视觉体验

by Joe Warren通过乔沃伦 如何将您的&#xff03;100DaysOfCode登录转换为视觉体验 (How to Transform Your #100DaysOfCode Log Into a Visual Experience) Learning how to code is an unrivaled modern experience. As an aspiring developer, no matter what level you’r…

Python中集合(set)的操作及一些比较常见的用法

Python除了List、Tuple、Dict等常用数据类型外&#xff0c;还有一种数据类型叫做集合&#xff08;set&#xff09;&#xff0c;集合的最大特点是&#xff1a;集合里边的元素是不可重复的并且集合内的元素还是无序的&#xff0c;所以一般情况下集合常用的两个场景是&#xff1a;…

php中的图像下载函数,PHP实现的下载远程图片自定义函数分享

/*** PHP下载远程图片到本地** param $url string 远程文件地址* param $filename string 保存后的文件名(为空时则为随机生成的文件名&#xff0c;否则为原文件名)* param $fileType array 允许的文件类型* param $dirName string 文件保存的路径(路径其余部分根据时间系统自动…

Linux 文件的压缩与解压

1. tar结尾压缩命令 [roottest ~]# tar -cvf grub.tar /boot/grub/ 查看压缩包文件 [roottest ~]# tar -vtf grub.tar 解压文件 #tar -xvf grub.tar # tar -xvf grub.tar -C 解压目录 2. gz结尾压缩命令 # tar -zcvf grub.tar.gz /boot/grub gz结尾解压命令 #tar -zxvf gr…

深度学习笔记-卷积神经网络CNN与循环神经网络RNN有什么区别?

转载 https://blog.csdn.net/weixin_35227692/article/details/79223536转载于:https://www.cnblogs.com/USTBlxq/p/10445268.html

参考框架 系统 基准_带有基准的前端框架的实际比较

参考框架 系统 基准by Jacek Schae由Jacek Schae 带有基准的前端框架的实际比较 (A Real-World Comparison of Front-End Frameworks with Benchmarks) UPDATE: There is a newer version of this article更新&#xff1a;本文有较新的版本 A Real-World Comparison of Front…

ppt复制切片器_零基础小白自学PPT快速入门到精通(上)

零基础小白如何自学PPT快速入门到精通呢&#xff1f;40个保姆级小技巧助力你高效掌握PPT基础操作&#xff01;PPT在学习与工作中的应用越来越广泛&#xff1a;在学校时免不了要做毕业答辩、毕业论文&#xff0c;工作中时常要进行复盘总结、工作汇报、推广方案&#xff0c;有时甚…

网络安全初创公司SafeBreach获1500万美元A轮融资

今天&#xff0c;网络安全初创公司 SafeBreach 宣布完成1500 万美元 A 轮融资&#xff0c;新投资者德国电信、惠普公司、 Maverick Ventures 及现有投资者 Sequoia Capital 和 Shlomo Kramer 参投。公司计划利用本轮融资加大研发力度&#xff0c;扩大销售及营销团队&#xff0c…

php网站分区,PHP - Manual: 分区和分片 (官方文档)

分区和分片数据库群组是由于各种各样的原因建立的&#xff0c;他可以提升处理能力、容忍错误&#xff0c;并且提升大量服务器同时工作的的性能。群组有时会组合分区和共享功能&#xff0c;来将大量复杂的任务分拆成更加简单的任务&#xff0c;更加可控的单元。插件可以支持各种…

webBroser获取cookie

//取当前webBrowser登录后的Cookie值 [DllImport("wininet.dll", CharSet CharSet.Auto, SetLastError true)]static extern bool InternetGetCookieEx(string pchURL, string pchCookieName, StringBuilder pchCookieData, ref int pcchCookieData, int dwFlags…