前端技术
HTML
CSS
Javascript
前端框架和UI库
VUE
ReactJS
AngularJS
JQuery
NodeJS
JSON
Element-UI
Bootstrap
Material UI
服务端和客户端
Java
Python
PHP
Golang
Scala
Kotlin
Groovy
Ruby
Lua
.net
c#
c++
后端WEB和工程框架
SpringBoot
SpringCloud
Struts2
MyBatis
Hibernate
Tornado
Beego
Go-Spring
Go Gin
Go Iris
Dubbo
HessianRPC
Maven
Gradle
数据库
MySQL
Oracle
Mongo
中间件与web容器
Redis
MemCache
Etcd
Cassandra
Kafka
RabbitMQ
RocketMQ
ActiveMQ
Nacos
Consul
Tomcat
Nginx
Netty
大数据技术
Hive
Impala
ClickHouse
DorisDB
Greenplum
PostgreSQL
HBase
Kylin
Hadoop
Apache Pig
ZooKeeper
SeaTunnel
Sqoop
Datax
Flink
Spark
Mahout
数据搜索与日志
ElasticSearch
Apache Lucene
Apache Solr
Kibana
Logstash
数据可视化与OLAP
Apache Atlas
Superset
Saiku
Tesseract
系统与容器
Linux
Shell
Docker
Kubernetes
[使用 join 实现无间隔数字拼接 ]的搜索结果
这里是文章列表。热门标签的颜色随机变换,标签颜色没有特殊含义。
点击某个标签可搜索标签相关的文章。
点击某个标签可搜索标签相关的文章。
Go Iris
...八门的操作系统之间,实现路径分隔符的灵活、无缝切换,让程序跑起来像滑板鞋在不同地面一样自如流畅。 02 路径分隔符的挑战 在不同的操作系统中,路径分隔符是各异的。例如,Windows系统使用反斜杠\作为路径分隔符,而Unix/Linux系列(包括Mac OS)则采用正斜杠/。如果你直接在代码里把某个特定操作系统的路径分隔符给死板地写死了,那么当你这应用跑到其他系统上跑的时候,可能会遇到一个让人抓狂的问题,就是系统压根认不出你设置的路径,那场面可就尴尬啦! 03 Go标准库中的解决方案 幸运的是,Go语言的标准库已经为我们提供了解决这个问题的方法。你知道吗,在path/filepath这个包里头,藏着一个挺机智的小家伙——它叫Separator,是个常量。这家伙可灵光了,能根据咱们当前运行的环境,自动给出最合适的路径分隔符,省得咱们自己操心。同时,filepath.Join()函数可以用来安全地连接路径元素,无需担心路径分隔符的问题。 go import ( "path/filepath" ) func main() { // 不论在哪种操作系统下,这都将生成正确的路径 path := filepath.Join("src", "github.com", "kataras", "iris") fmt.Println(path) // 在nix系统下输出:"src/github.com/kataras/iris" // 在Windows系统下输出:"src\github.com\kataras\iris" } 04 Go Iris框架中的实践 在Iris框架中,我们同样需要关注路径的兼容性问题。比如在设置静态文件目录或视图模板目录时: go import ( "github.com/kataras/iris/v12" "path/filepath" ) func main() { app := iris.New() // 使用filepath.Join确保路径兼容所有操作系统 staticPath := filepath.Join("web", "static") app.HandleDir("/static", staticPath) tmplPath := filepath.Join("web", "templates") ts, _ := iris.HTML(tmplPath, ".html").Layout("shared/layout.html").Build() app.RegisterView(ts) app.Listen(":8080") } 在这个示例中,无论我们的应用部署在哪种操作系统上,都能正确找到并服务静态资源和模板文件。 05 总结与思考 作为一名开发者,在编写跨平台应用时,我们必须对这些看似微小但至关重要的细节保持敏感。你知道吗,Go语言这玩意儿,加上它那个超牛的生态系统——比如那个Iris框架,简直是我们解决这类问题时的得力小助手,既方便又靠谱!你知道吗,借助path/filepath这个神奇的工具包,我们就能轻轻松松解决路径分隔符在不同操作系统之间闹的小矛盾,让咱们编写的程序真正做到“写一次,到处都能顺畅运行”,再也不用担心系统差异带来的小麻烦啦! 在整个探索过程中,我们要不断提醒自己,编程不仅仅是完成任务,更是一种细致入微的艺术,每一个细节都可能影响到最终用户体验。所以,咱们一块儿拉上Go Iris这位好伙伴,一起跨过不同操作系统之间的大峡谷,让咱的代码变得更结实、更灵活,同时也充满更多的人性化关怀和温度,就像给代码注入了生命力一样。
2023-11-22 12:00:57
384
翡翠梦境
c++
...n”的异常类型供我们使用,但是咱完全可以脑洞大开,模拟实现一个类似功能的东西出来。通常,我们借助std::thread::interrupt()方法来设置线程的中断标志,并通过周期性检查std::this_thread::interruption_point()来响应中断请求。 3. 实现ThreadInterruptedException示例 下面,让我们通过一段示例代码来看看如何在C++中模拟ThreadInterruptedException: cpp include include include include // 自定义异常类,模拟ThreadInterruptedException class ThreadInterruptedException : public std::runtime_error { public: ThreadInterruptedException(const std::string& what_arg) : std::runtime_error(what_arg) {} }; // 模拟长时间运行的任务,定期检查中断点 void longRunningTask() { try { while (true) { // 做一些工作... std::cout << "Working...\n"; // 检查中断点,若被中断则抛出异常 if (std::this_thread::interruption_requested()) { throw ThreadInterruptedException("Thread interrupted by request."); } // 短暂休眠 std::this_thread::sleep_for(std::chrono::seconds(1)); } } catch (const ThreadInterruptedException& e) { std::cerr << "Caught exception: " << e.what() << '\n'; } } int main() { std::thread worker(longRunningTask); // 稍后决定中断线程 std::this_thread::sleep_for(std::chrono::seconds(5)); worker.interrupt(); // 等待线程结束(可能是因为中断) worker.join(); std::cout << "Main thread finished.\n"; return 0; } 在这个例子中,我们首先创建了一个自定义异常类ThreadInterruptedException,当检测到中断请求时,在longRunningTask函数内部抛出。然后,在main函数中启动线程执行该任务,并在稍后调用worker.interrupt()发起中断请求。在运行的过程中,线程会时不时地瞅一眼自己的中断状态,如果发现那个标志被人悄悄设定了,它就会立马像个急性子一样抛出异常,然后毫不犹豫地跳出循环。 4. 思考与探讨 虽然C++标准库并未内置ThreadInterruptedException,但我们能够通过上述方式模拟其行为,这为程序提供了更为灵活且可控的线程管理手段。不过,这里要敲个小黑板强调一下,线程中断并不是什么霸道的硬性停止手段,它更像是个君子协定。所以在开发多线程应用的时候,咱们程序员朋友得把这个线程中断机制吃得透透的,合理地运用起来,确保线程在关键时刻能够麻溜儿地、安全无虞地退出舞台哈。 总结来说,理解和掌握线程中断异常对于提升C++多线程编程能力至关重要。想象一下,如果我们模拟一个ThreadInterruptedException,就像是给线程们安排了一个默契的小暗号,当它们需要更好地协同工作、同步步伐时,就可以更体面、更灵活地处理这些情况。这样一来,我们的程序不仅更容易维护,也变得更加靠谱,就像一台精密的机器,每个零件都恰到好处地运转着。
2023-03-08 17:43:12
814
幽谷听泉
Ruby
...愉快! 1. 使用puts或pp: 最基础的调试手段 在Ruby中,最简单直接的调试方式就是使用内置的puts方法输出变量值。例如: ruby def calculate_sum(a, b) puts "Values are: a={a}, b={b}" result = a + b puts "The sum is: {result}" result end calculate_sum(3, 5) 输出 Values are: a=3, b=5 和 The sum is: 8 不过,当处理复杂的数据结构(如Hash、Array)时,pp(pretty print)方法能提供更美观易读的输出格式: ruby require 'pp' complex_data = { user: { name: 'Alice', age: 25 }, hobbies: ['reading', 'coding'] } pp complex_data 2. 利用byebug进行断点调试 byebug是Ruby社区广泛使用的源码级调试器,可以让你在代码任意位置设置断点并逐行执行代码以观察运行状态。 首先确保已经安装了byebug gem: bash gem install byebug 然后在你的代码中插入byebug语句: ruby def calculate_average(array) total = array.reduce(:+) size = array.size byebug 设置断点 average = total / size.to_f average end numbers = [1, 2, 3, 4, 5] calculate_average(numbers) 运行到byebug处,程序会暂停并在控制台启动一个交互式调试环境,你可以查看当前上下文中的变量值,执行单步调试,甚至修改变量值等。 3. 使用IRB(Interactive Ruby Shell) IRB是一个强大的工具,允许你在命令行环境中实时编写和测试Ruby代码片段。在排查问题时,可以直接在IRB中模拟相关场景,快速验证假设。 比如,对于某个方法有疑问,可以在IRB中加载环境并尝试调用: ruby require './your_script.rb' 加载你的脚本文件 some_object = MyClass.new some_object.method_in_question('test_input') 4. 利用Ruby的异常处理机制 Ruby异常处理机制也是调试过程中的重要工具。通过begin-rescue-end块捕获和打印异常信息,有助于我们快速定位错误源头: ruby begin risky_operation() rescue => e puts "An error occurred: {e.message}" puts "Backtrace: {e.backtrace.join("\n")}" end 总结 调试Ruby代码的过程实际上是一场与代码逻辑的对话,是一种抽丝剥茧般探求真理的过程。从最基础的用puts一句句敲出结果,到高端大气上档次的拿byebug设置断点一步步调试,再到在IRB这个互动环境中实现实时尝试和探索,甚至巧妙借助异常处理机制来捕获并解读错误信息,这一系列手段相辅相成,就像是Ruby开发者手中的多功能工具箱,帮助他们应对各种编程挑战,无往不利。只有真正把这些调试技巧学得透彻,像老朋友一样熟练运用,才能让你在Ruby开发这条路上走得顺溜儿,轻轻松松解决各种问题,达到事半功倍的效果。
2023-08-22 23:37:07
126
昨夜星辰昨夜风
Apache Pig
使用Apache Pig进行多表联接操作:一种大数据处理的高效策略 1. 引言 在大数据领域,Apache Pig是一个强大的数据流处理工具,它以SQL-like的语言——Pig Latin,为用户提供了一种对大规模数据集进行复杂转换和分析的便捷方式。特别是在执行多表联接(JOIN)这样的高级操作时,Pig展现出了其无可比拟的优势。这篇文咱要带你手把手探索如何用Apache Pig玩转多表联合查询,还会甩出几个实例代码,让你亲眼见证它是怎么在实际场景中大显身手的。 2. Apache Pig与多表联接简介 在处理大规模数据时,我们经常需要从不同的数据源提取信息并通过联接操作将它们整合在一起。Apache Pig就像个数据库大厨,它手中掌握着JOIN操作的各种秘籍,比如内联接(INNER JOIN)、外联接(OUTER JOIN)、左联接(LEFT JOIN)和右联接(RIGHT JOIN)这些“调料”。这就意味着用户可以根据自己实际的“口味”和“菜式”,灵活地处理那些复杂得像蜘蛛网一样的关联查询,让数据处理变得轻松又自在。 3. 实战Apache Pig中的多表联接操作 (示例一) 内联接操作 假设我们有两个关系式数据集:orders和customers,分别存储订单信息和客户信息。现在我们希望找出所有下单的客户详细信息。 pig -- 定义并加载数据 orders = LOAD 'orders_data' AS (order_id:int, customer_id:int, order_date:chararray); customers = LOAD 'customers_data' AS (customer_id:int, name:chararray, email:chararray); -- 进行内联接操作 joined_data = JOIN orders BY customer_id, customers BY customer_id; -- 显示结果 DUMP joined_data; 在这个例子中,JOIN orders BY customer_id, customers BY customer_id;这句Pig Latin语句完成了两个数据集基于customer_id字段的内联接操作。 (示例二) 左外联接操作 有时,我们可能需要获取所有订单以及相关的客户信息,即使某些订单找不到对应的客户记录。 pig -- 左外联接操作 left_joined_data = JOIN orders BY customer_id LEFT, customers BY customer_id; -- 查看结果,未找到匹配项的客户信息将以null表示 DUMP left_joined_data; 4. 思考与理解过程 使用Apache Pig进行多表联接时,它的优势在于其底层自动优化JOIN算法,可以有效利用Hadoop MapReduce框架的分布式计算能力,大大提高了处理大规模数据集的效率。另外,Pig Latin这门语言的语法设计得既简单又明了,学起来超省劲儿,这样一来,开发者就能把更多的精力放在对付那些复杂的数据处理逻辑上,而不是在底层实现的细枝末节里兜圈子啦。 5. 探讨与总结 Apache Pig在处理多表联接这类复杂操作上表现出了卓越的能力,不仅简化了数据处理流程,还极大地提升了开发效率。虽然Pig确实帮我们省了不少力气,但身为数据工程师,在实际工作中咱们还是得绞尽脑汁琢磨怎么巧妙地设计JOIN条件。为啥呢?就是为了避免那些不必要的性能卡壳问题呗。同时,咱们还要灵活应变,根据实际情况挑选出最对味的数据模型和JOIN类型,让工作更加顺溜儿。 总的来说,Apache Pig以其人性化的语言风格、高效的执行引擎以及丰富的JOIN功能,在大数据处理领域展现了独特魅力。对于那些埋头苦干,热衷于从浩瀚数据海洋中挖宝的家伙们来说,真正掌握并灵活运用Pig进行多表联接,那可是让工作效率蹭蹭上涨的超级大招啊!
2023-06-14 14:13:41
456
风中飘零
Beego
...= strings.Join(append(existingValues, newValue), ", ") } ctx.Output.Header("Cache-Control", newValue) } // 使用示例 mergeCacheControlHeader(c.Ctx, "no-cache") mergeCacheControlHeader(c.Ctx, "max-age=3600") (4.3)统一管理头部设置 为了减少冲突,可以在全局或模块层面设计一套统一的头部设置机制,避免分散在各个中间件和控制器中随意设置。 总结来说,Beego框架中的HTTP头部设置冲突是一个需要开发者关注的实际问题。理解其产生原因并采取恰当的策略规避或解决此类冲突,有助于我们构建更稳定、高效的Web服务。在这一整个挖掘问题和解决问题的过程中,我们不能光靠死板的技术知识“啃硬骨头”,更要灵活运用咱们的“人情味儿”设计思维,这样一来,才能更好地把那个威力强大的Beego开发工具玩转起来,让它乖乖听话,帮我们干活儿。
2023-04-16 17:17:44
437
岁月静好
HTML
...探讨如何在渲染进程中使用electron-log输出日志。 1. 引入与初始化 electron-log 首先,确保你已经在项目中安装了electron-log库,可以通过npm或yarn进行安装: bash npm install electron-log --save-dev 或者 yarn add electron-log -D 然后,在渲染进程中引入并初始化electron-log: javascript // 在渲染进程中(如renderer.js) const log = require('electron-log'); // 设置默认的日志级别,例如 'info' log.transports.file.level = 'info'; // 初始化,使其可以在渲染进程中工作 log.init({ showLogs: false, // 是否在控制台显示日志 electronRenderer: true, }); 2. 输出日志至文件 现在,我们可以开始在渲染进程中愉快地编写日志了! javascript // 假设在一个用户交互事件中需要记录操作日志 document.getElementById('myButton').addEventListener('click', () => { log.info('User clicked on the button!'); log.error('An unexpected error occurred during the click event!', new Error('Error details')); }); 上述代码中,我们分别用log.info()和log.error()记录了不同级别的信息。这些日志会自动乖乖地蹦进默认的日志文件里头,这个文件一般都藏在你电脑的AppData目录下,具体哪个小角落就得看你的操作系统啦。 3. 自定义日志文件路径及格式 如果你希望自定义日志文件的位置和名称,可以通过以下方式设置: javascript log.transports.file.getFile().path = path.join(app.getPath('userData'), 'custom-log.log'); 同时,electron-log也支持多种格式化选项,包括JSON、pretty-print等,可以根据需求调整: javascript log.transports.file.format = '{h}:{i}:{s} {level}: {text}'; 4. 思考与讨论 值得注意的是,虽然我们在渲染进程中直接调用了electron-log,但实际上所有的日志都通过IPC通信机制传递给主进程,再由主进程负责实际的写入文件操作。这么干,既能确保安全,防止渲染进程直接去摆弄磁盘,还能让日志管理变得简单省事儿多了。 在整个过程中,electron-log不仅充当了开发者的眼睛,洞察每一处可能的问题点,还像一本详尽的操作手册,忠实记录着应用运行的每一步足迹。这种实时、细致入微的日志系统,绝对是我们Electron应用背后的强大后盾,让我们的应用跑得既稳又强。 总的来说,通过electron-log,我们在 Electron 渲染进程中记录和输出日志变得轻松易行,大大提高了调试效率和问题定位的速度。每一个开发者都该好好利用这些工具,让咱们的应用程序像人一样“开口说话”,把它们的“心里话”都告诉我们。
2023-10-02 19:00:44
552
岁月如歌_
Kotlin
... 2. 协程的基本使用 现在,让我们通过一些简单的代码来了解一下如何在Kotlin中使用协程。 kotlin import kotlinx.coroutines. fun main() = runBlocking { launch { // 在主线程中执行 println("Hello") } launch { delay(1000L) // 暂停1秒 println("World!") } } 上面这段代码展示了最基本的协程使用方法。我们用runBlocking开启了一个协程环境,然后在里面扔了两个launch,启动了两个协程一起干活。这两个协程会同时跑,一个家伙会马上蹦出“Hello”,另一个则要磨蹭个一秒钟才打出“World!”。这就是协程的酷炫之处——你可以像切西瓜一样轻松地同时处理多个任务,完全不用去管那些复杂的线程管理问题。 思考一下: - 你是否觉得这种方式比手动管理线程要简单得多? - 如果你以前没有尝试过协程,现在是不是有点跃跃欲试了呢? 3. 高级协程特性 挂起函数 接下来,我们来看看协程的另一个重要概念——挂起函数。挂起函数可是协程的一大绝招,用好了就能让你的协程暂停一下,而不会卡住整个线程,简直不要太爽!这对于编写非阻塞代码非常重要,尤其是在处理I/O操作时。 kotlin import kotlinx.coroutines. suspend fun doSomeWork(): String { delay(1000L) return "Done!" } fun main() = runBlocking { val job = launch { val result = doSomeWork() println(result) } // 主线程可以继续做其他事情... println("Doing other work...") job.join() // 等待协程完成 } 在这段代码中,doSomeWork是一个挂起函数,它会在执行到delay时暂停协程,但不会阻塞主线程。这样,主线程可以继续执行其他任务(如打印"Doing other work..."),直到协程完成后再获取结果。 思考一下: - 挂起函数是如何帮助你编写非阻塞代码的? - 你能想象在你的应用中使用这种技术来提升用户体验吗? 4. 协程上下文与调度器 最后,我们来谈谈协程的上下文和调度器。协程上下文包含了运行协程所需的所有信息,包括调度器、异常处理器等。调度器决定了协程在哪个线程上执行。Kotlin提供了多种调度器,如Dispatchers.Default用于CPU密集型任务,Dispatchers.IO用于I/O密集型任务。 kotlin import kotlinx.coroutines. fun main() = runBlocking { withContext(Dispatchers.IO) { println("Running on ${Thread.currentThread().name}") } } 在这段代码中,我们使用withContext切换到了Dispatchers.IO调度器,这样协程就会在专门处理I/O操作的线程上执行。这种方式可以帮助你更好地管理和优化协程的执行环境。 思考一下: - 你知道如何根据不同的任务类型选择合适的调度器吗? - 这种策略对于提高应用性能有多大的影响? 结语 好了,朋友们,这就是今天的分享。读了这篇文章后,我希望大家能对Kotlin里的协程和并发编程有个初步的认识,说不定还能勾起大家深入了解协程的兴趣呢!记住,编程不仅仅是解决问题,更是享受创造的过程。希望你们在学习的过程中也能找到乐趣! 如果你有任何问题或者想了解更多内容,请随时留言交流。我们一起进步,一起成长!
2024-12-08 15:47:17
118
繁华落尽
MemCache
...ached中的客户端实现数据分批读取? 嘿,朋友们!今天我们要聊的是一个超级实用的技术话题——Memcached中的客户端如何实现数据的分批读取。在开始之前,先给大家科普一下背景知识。 首先,Memcached是一个高性能的分布式内存对象缓存系统,它被广泛用于减轻数据库负载,提高Web应用的速度。不过嘛,当你的应用程序开始应付海量的数据请求时,一股脑儿地把所有数据都拉进来,可能会让程序卡得像蜗牛爬,严重的时候甚至会直接给你崩掉。这时,就需要我们的主角——客户端实现数据的分批读取。 想象一下,你正在运营一个大型电商平台,每到购物节高峰期,网站上的商品数量高达百万级别。要是每次请求都一股脑儿地把所有商品信息都拉下来,那服务器准得累趴下,用户看着也得抓狂。因此,学会如何高效地分批次读取数据,是提升系统稳定性和用户体验的关键一步。 2. 分批读取的必要性与优势 那么,为什么要采用分批读取的方式呢?这背后其实隐藏着一系列的技术考量和实际需求: - 减轻服务器压力:一次性请求大量数据对服务器资源消耗巨大,容易造成服务器过载。分批读取可以有效降低这种风险。 - 优化用户体验:用户往往不喜欢等待太久。通过分批次展示内容,可以让用户更快看到结果,提升满意度。 - 灵活应对动态变化的数据量:随着时间推移,你的数据量可能会不断增长。分批读取使得系统能够更灵活地适应不同规模的数据集。 - 提高查询效率:分批读取可以帮助我们更有效地利用索引和缓存机制,从而加快查询速度。 3. 实现数据分批读取的基本思路 了解了分批读取的重要性后,接下来我们就来看看具体怎么操作吧! 3.1 设定合理的批量大小 首先,你需要根据实际情况来设定每次读取的数据量。这个数值可别太大也别太小,一般情况下,根据你的使用场景和Memcached服务器的配置,设成几百到几千都行。 python 示例代码:设置批量大小 batch_size = 500 3.2 利用偏移量进行分批读取 在Memcached中,我们可以通过指定键值的偏移量来实现数据的分批读取。每次读完一部分数据,就更新下一次要读的位置,这样就能连续地一批一批拿到数据了。 python 示例代码:利用偏移量读取数据 def fetch_data_in_batches(key, start, end): batch_data = [] for offset in range(start, end, batch_size): 假设get_items函数用于从Memcached中获取指定范围的数据 items = get_items(key, offset, min(offset + batch_size - 1, end)) batch_data.extend(items) return batch_data 这里假设get_items函数已经实现了根据偏移量从Memcached中获取指定范围内数据的功能。当然,实际开发中可能需要根据具体的库或框架调整这部分逻辑。 3.3 考虑并发与异步处理 为了进一步提升效率,你可以考虑引入多线程或异步I/O技术来并行处理多个数据批次。这样不仅能够加快整体处理速度,还能更好地利用现代计算机的多核优势。 python import threading def async_fetch_data(key, start, end): threads = [] for offset in range(start, end, batch_size): thread = threading.Thread(target=fetch_data_in_batches, args=(key, offset, min(offset + batch_size - 1, end))) threads.append(thread) thread.start() for thread in threads: thread.join() 使用异步方法读取数据 async_fetch_data('my_key', 0, 10000) 这段代码展示了如何通过多线程方式加速数据读取过程。当然,如果你的程序用的是异步编程(比如Python里的asyncio),那就可以试试异步IO,这样处理任务时会更高效,也不会被卡住。 4. 结语 通过上述讨论,我们可以看出,在Memcached中实现客户端的数据分批读取是一项既实用又必要的技术。这东西不仅能帮我们搭建个更稳当、更快的系统,还能让咱们用户用起来特爽!希望这篇文章能为你提供一些灵感和帮助,让我们一起努力打造更好的软件产品吧! 最后,别忘了在实际项目中根据具体情况调整策略哦。技术总是在不断进步,保持学习的心态,才能跟上时代的步伐!
2024-10-25 16:27:27
122
海阔天空
c++
...将深入探讨如何有效地使用调试器来解决 C++ 程序中的问题,从理解基本概念到掌握高级技巧,逐步带你成为 C++ 调试的大师。 第一部分:了解调试器的基本概念 在开始之前,我们需要明确几个关键概念: - 调试器:一种工具,用于在程序运行时观察其内部状态,包括变量值、执行路径等。 - 断点:在代码中设置的标记,当程序执行到该点时会暂停,允许我们检查当前状态。 - 单步执行:逐行执行程序,以便仔细观察每一步的变化。 - 条件断点:在满足特定条件时触发断点。 第二部分:配置与启动调试器 假设你已经安装了支持 C++ 的调试器,如 GDB(GNU Debugger)。哎呀,小伙伴们!在咱们动手调bug之前,得先确保咱们的项目已经乖乖地被编译了,对吧?而且呢,咱们的调试神器得能认出这个项目才行!这样子,咱们才能顺利地找到那些藏在代码里的小秘密,对不对?别忘了,准备工作做好了,调试起来才更顺畅嘛! cpp include int main() { int x = 5; if (x > 10) { std::cout << "x is greater than 10" << std::endl; } else { std::cout << "x is not greater than 10" << std::endl; } return 0; } 第三部分:设置断点并执行调试 打开你的调试器,加载项目。哎呀,兄弟,找找看,在编辑器里,你得瞄准那个 if 语句的起始位置,记得要轻轻点一下左边。瞧见没?那边有个小红点,对,就是它!这就说明你成功地设了个断点,可以慢慢享受代码跳动的乐趣啦。 现在,启动调试器,程序将在断点处暂停。通过单步执行功能,你可以逐行检查代码的执行情况。在 if 语句执行前暂停,你可以观察到变量 x 的值为 5,从而理解程序的执行逻辑。 第四部分:利用条件断点进行深入分析 假设你怀疑某个条件分支的执行路径存在问题。可以设置条件断点,仅在特定条件下触发: cpp include int main() { int x = 5; if (x > 10) { std::cout << "x is greater than 10" << std::endl; } else { std::cout << "x is not greater than 10" << std::endl; } return 0; } 设置条件断点时,在断点上右击选择“设置条件”,输入 x > 10。现在,程序只有在 x 大于 10 时才会到达这个断点。 第五部分:调试多线程程序 对于 C++ 中的多线程应用,调试变得更加复杂。GDB 提供了 thread 命令来管理线程: cpp include include void thread_function() { std::cout << "Thread executing" << std::endl; } int main() { std::thread t(thread_function); t.join(); return 0; } 在调试时,你可以使用 thread 命令查看当前活跃的线程,或者使用 bt(backtrace)命令获取调用堆栈信息。 第六部分:调试异常处理 C++ 异常处理是调试的重点之一。通过设置断点在 try 块的开始,你可以检查异常是否被正确捕获,并分析异常信息。 cpp include include void throw_exception() { throw std::runtime_error("An error occurred"); } int main() { try { throw_exception(); } catch (const std::exception& e) { std::cerr << "Caught exception: " << e.what() << std::endl; } return 0; } 结语 调试是编程旅程中不可或缺的部分,它不仅帮助我们发现并解决问题,还促进了对代码更深入的理解。随着经验的积累,你将能够更高效地使用调试器,解决更复杂的程序问题。嘿,兄弟!记住啊,每次你去调试程序的时候,那都是你提升技能、长见识的绝佳时机。别怕犯错,知道为啥吗?因为每次你摔个大跟头,其实就是在为成功铺路呢!所以啊,大胆地去试错吧,失败了就当是交学费了,下回就能做得更好!加油,程序员!
2024-10-06 15:36:27
112
雪域高原
Consul
...如何在Consul中实现配置的版本控制? 1. 初识Consul 为何需要版本控制? 在我们深入探讨如何在Consul中实现配置的版本控制之前,先让我们来了解一下Consul的基本概念。Consul是一款由HashiCorp公司开发的服务网格解决方案,它提供服务发现、健康监测以及Key/Value存储等功能。对很多开发者而言,Consul最吸引人的地方就是它的Key/Value存储功能了。这个功能让Consul在管理应用配置方面特别给力,简直就像是量身定做的一样。 然而,当我们谈论到配置管理时,一个常常被忽视但极其重要的方面是版本控制。想象一下,如果你的应用配置发生了错误更改,而你没有版本控制机制来恢复到之前的稳定状态,那么这将是一个多么糟糕的情况!因此,确保你的配置系统具备版本控制能力是非常必要的。 2. 为什么Consul需要版本控制? 在Consul中引入版本控制并不是一个可选的功能,而是为了提高系统的可靠性和安全性。有了版本控制,我们就能轻松追踪配置的历史改动,这对审计、解决问题以及回滚简直太重要了。此外,版本控制还能帮助团队成员更好地协作,避免因配置冲突导致的问题。 举个简单的例子,假设你的应用配置文件包含数据库连接信息。要是哪个程序员不小心改了这部分设置,又没好好测一测就直接扔到生产环境里,那可就麻烦了。数据库连接可能就挂了,整个应用都得跟着遭殃。不过嘛,要是咱们的配置系统能像git那样支持版本控制,那我们就轻松多了。遇到问题时,可以直接回到上一个稳当的配置版本,这样就能躲过那些可能捅娄子的大麻烦。 3. 如何在Consul中实现版本控制? 现在,让我们来看看如何在Consul中实际地实现配置的版本控制。Consul自己其实没有自带版本控制的功能,但我们可以耍点小聪明,用一些策略和工具来搞定这个需求。在这里,我们要说两种方法。第一种是用Consul的API和外部版本控制系统(比如Git)一起玩;第二种则是在Consul里面自己搞一套版本控制逻辑。 方法一:结合外部版本控制系统 首先,我们来看一看如何将Consul与Git这样的版本控制系统结合起来使用。这种做法主要是定期把Consul里的配置备份到Git仓库里,每次改动配置后,都会自动加个新版本。就像是给配置文件做了一个定时存档,而且每次修改都留个记录,方便追踪和管理。这样,我们就能拥有完整的配置历史记录,并且可以随时回滚到任何历史版本。 步骤如下: 1. 创建Git仓库 首先,在你的服务器上创建一个新的Git仓库,专门用于存放Consul的配置文件。 bash git init --bare /path/to/config-repo.git 2. 编写导出脚本 接下来,编写一个脚本,用于定期从Consul中导出配置文件并推送到Git仓库。这个脚本可以使用Consul的API来获取配置数据。 python import consul import os import subprocess 连接到Consul c = consul.Consul(host='127.0.0.1', port=8500) 获取所有KV对 index, data = c.kv.get('', recurse=True) 创建临时目录 temp_dir = '/tmp/consul-config' if not os.path.exists(temp_dir): os.makedirs(temp_dir) 将数据写入文件 for item in data: key = item['Key'] value = item['Value'].decode('utf-8') file_path = os.path.join(temp_dir, key) os.makedirs(os.path.dirname(file_path), exist_ok=True) with open(file_path, 'w') as f: f.write(value) 提交到Git subprocess.run(['git', '-C', '/path/to/config-repo.git', 'add', '.']) subprocess.run(['git', '-C', '/path/to/config-repo.git', 'commit', '-m', 'Update config from Consul']) subprocess.run(['git', '-C', '/path/to/config-repo.git', 'push']) 3. 设置定时任务 最后,设置一个定时任务(例如使用cron),让它每隔一段时间执行上述脚本。 这种方法的优点在于它可以很好地集成现有的Git工作流程,并且提供了强大的版本控制功能。不过,需要注意的是,它可能需要额外的维护工作,尤其是在处理并发更新时。 方法二:在Consul内部实现版本控制 除了上述方法之外,我们还可以尝试在Consul内部通过自定义逻辑来实现版本控制。这个方法有点儿复杂,但好处是能让你更精准地掌控一切,而且还不用靠外界的那些系统帮忙。 基本思路是: - 使用Consul的KV存储作为主存储区,同时为每个配置项创建一个单独的版本记录。 - 每次更新配置时,不仅更新当前版本,还会保存一份新版本的历史记录。 - 可以通过Consul的查询功能来检索特定版本的配置。 下面是一个简化的Python示例,演示如何使用Consul的API来实现这种逻辑: python import consul import json c = consul.Consul() def update_config(key, new_value, version=None): 如果没有指定版本,则自动生成一个新版本号 if version is None: index, current_version = c.kv.get(key + '/version') version = int(current_version['Value']) + 1 更新当前版本 c.kv.put(key, json.dumps(new_value)) 保存版本记录 c.kv.put(f'{key}/version', str(version)) c.kv.put(f'{key}/history/{version}', json.dumps(new_value)) def get_config_version(key, version=None): if version is None: index, data = c.kv.get(key + '/version') version = int(data['Value']) return c.kv.get(f'{key}/history/{version}')[1]['Value'] 示例:更新配置 update_config('myapp/database', {'host': 'localhost', 'port': 5432}, version=1) 示例:获取特定版本的配置 print(get_config_version('myapp/database', version=1)) 这段代码展示了如何使用Consul的KV API来实现一个简单的版本控制系统。虽然这只是一个非常基础的实现,但它已经足以满足许多场景下的需求。 4. 总结与反思 通过上述两种方法,我们已经看到了如何在Consul中实现配置的版本控制。不管你是想用外部的版本控制系统来管配置,还是打算在Consul里面自己捣鼓一套方案,最重要的是搞清楚你们团队到底需要啥,然后挑个最适合你们的法子干就是了。 在这个过程中,我深刻体会到,技术的选择往往不是孤立的,它总是受到业务需求、团队技能等多种因素的影响。所以啊,在碰到这类问题的时候,咱们得保持个开放的心态,多尝试几种方法,这样才能找到那个最适合的解决之道。 希望这篇文章对你有所帮助,如果你有任何疑问或建议,请随时留言交流。我们一起学习,共同进步!
2024-11-17 16:10:02
27
星辰大海
转载文章
...应内容。 PLC通讯实现-C访问OpcUa实现读写PLC(十) 背景 概念 特点 依赖 配置OpcUA Server 关键代码 代码下载 背景 由于工厂设备种类多、分阶段建设,工控程序开发通常面临对接多种PLC厂商设备和不同系列与型号。因此出现了一种专门与不同PLC通讯的软件协议-OPC(OLE for Process Control),而各厂家在OPC基础上进行了不同程度的扩展,为了应对标准化和跨平台的趋势,和了更好的推广OPC,OPC基金会近些年在之前OPC成功应用的基础上推出了一个新的OPC标准-OPC UA。处于通讯效率上的考虑,很多厂家生产了OPCUA设备模块,内置处理器,性价比不错。不过这不是本文关注的重点。 概念 OPC UA(OPC Unified Architecture)是指OPC统一体系架构,是一种基于服务的、跨越平台的解决方案。 特点 扩展了OPC的应用平台。传统的基于COM/DCOM 的OPC技术只能基于Windows操作系统,OPC UA支持拓展到Linux和Unix平台。这使得基于OPC UA的标准产品可以更好地实现工厂级的数据采集和管理; 不再基于DCOM通讯,不需要进行DCOM安全设置; OPC UA定义了统一数据和服务模型,使数据组织更为灵活,可以实现报警与事件、数据存取、历史数据存取、控制命令、复杂数据的交互通信; OPC UA比OPC DA更安全。OPC UA传递的数据是可以加密的,并对通信连接和数据本身都可以实现安全控制。新的安全模型保证了数据从原始设备到MES,ERP系统,从本地到远程的各级自动化和信息化系统的可靠传递; OPC UA可以穿越防火墙,实现Internet 通讯。 依赖 我们通常不会从头写,可以基于OpcUa.core.dll库和OpcUa.Client.dll库,而且附上这2个库的源代码。 配置OpcUA Server 您可以安装任何一款支持OPCUA的服务端软件进行以下配置(此为示例配置,您可根据你的实际情况进行配置) 1、OpcUa Server Url:opc.tcp://192.168.100.1:4840。 2、OpcUa EndPoint:[UaServer@cMT-EAB9] [None] [None] [opc.tcp://192.168.100.1:4840/G01] 3、PLC Device Name:Siemens S7-1200/S7-1500 4、Account:user1 5、Password:自己设置 6、在PLC中开了2个数据块,分别为DB4长度110个字、DB5长度122个字。 7、对应第4块创建标签,第一个名称为DB4.0-99,地址为DB4DBW0.100,数据类型为Short,长度100,即定义长度最长为100的Short数组。第二个名称为DB4.100-109,地址为DB4DBW100.10,数据类型为Short,方便快速读取。 5、对应第5块创建3个标签,第一个名称为DB5.0-99,地址为DB5DBW0.100,数据类型为Short,第二个名称为DB5.100-121, 地址为DB5DBW100.22,数据类型为Short,即定义长度最长为100的Short数组。方便快速读取。第三个标签名称为DB5DBW64,地址为DB5DBW64,数据类型为Short。 具体如下图: 关键代码 using System;using System.Collections.Generic;using System.Linq;using Opc.Ua.Helper;using Mesnac.Equips;namespace Mesnac.Equip.OPC.OpcUa.OPCUA{public class Equip : BaseEquip{region 字段定义private bool _isOpen = false; //是否已打开设备private bool _isClosing = false; //是否正在关闭设备private OPCUAClass myOpcHelper; //OPCUA设备访问辅助对象private Dictionary<string, string> dicTags = null; //保存标签集合private Dictionary<string, object> readResult = null; //设备标签数据缓存private int stepLen = 250; //标签变量的步长设置private string groupNamePrefix = "DB"; //数据块号前缀private string childTagFlag = "~"; //子元素标签标志符private System.Threading.Thread innerReadThread = null; //内部读取线程对象private int innerReadRate = 1000; //内部读取频率endregionregion 属性定义/// <summary>/// OPCUA Server Url/// </summary>public string OpcUaServerUrl{get{//return (this.Main.ConnType as Mesnac.Equips.Connection.OPCUA.ConnType).OpcUaServerUrl;return "opc.tcp://192.168.1.102:4840";//return "opc.tcp://192.168.100.1:4840";//return "opc.tcp://192.168.100.2:4840";} }/// <summary>/// 要连接的OPCUA服务器上的服务名/// </summary>public string OpcUaServiceName{get{//return (this.Main.ConnType as Mesnac.Equips.Connection.OPCUA.ConnType).OpcUaServiceName;return "[UaServer@cMT-9F1F] [None] [None] [opc.tcp://192.168.1.102:4840/G01]";//return "[UaServer@cMT-EAB9] [None] [None] [opc.tcp://192.168.100.1:4840/G01]";//return "[UaServer@cMT-EA5B] [None] [None] [opc.tcp://192.168.100.2:4840/G02]";//return "[UaServer@cMT-EA5B] [None] [None] [opc.tcp://192.168.100.2:4840/G01]";} }/// <summary>/// 要连接的OPCUA服务器上指定服务名下的PLC的名称/// </summary>public string PLCName{get{//return (this.Main.ConnType as Mesnac.Equips.Connection.OPCUA.ConnType).PLCName;//return "Feeding";return "Siemens_192.168.2.1";//return "Rockwell_192.168.1.10";} }/// <summary>/// OPCUA服务器的访问账户/// </summary>public string Account{get{//return (this.Main.ConnType as Mesnac.Equips.Connection.OPCUA.ConnType).Account;return "user1";} }/// <summary>/// OPCUA服务器的访问密码/// </summary>public string Password{get{//return (this.Main.ConnType as Mesnac.Equips.Connection.OPCUA.ConnType).Password;return "1";} }endregionregion BaseEquip成员实现/// <summary>/// 打开连接设备/// </summary>/// <returns>成功返回true,失败返回false</returns>public override bool Open(){lock (this){this._isClosing = false;if (this._isOpen == true && this.myOpcHelper != null){return true;}this.State = false;this.myOpcHelper = new OPCUAClass();this.dicTags = this.myOpcHelper.ConnectOPCUA(this.OpcUaServerUrl, this.Account, this.Password, this.OpcUaServiceName, this.PLCName); //连接OPCServerif (this.dicTags == null || this.dicTags.Count == 0){this.myOpcHelper = null;Console.WriteLine("OPC连接失败!");this.State = false;return false;}else{this.State = true;this._isOpen = true;region 初始化读取结果this.readResult = new Dictionary<string, object>();foreach (Equips.BaseInfo.Group group in this.Group.Values){if (!group.IsAutoRead){continue;}int groupMinStart = group.Start;int groupMaxEnd = group.Start + group.Len;int groupMaxLen = group.Len;foreach (Equips.BaseInfo.Group g in this.Group.Values){if (!g.IsAutoRead){continue;}if (g.Block == group.Block){if (g.Start < group.Start){groupMinStart = g.Start;}if (g.Start + g.Len > groupMaxEnd){groupMaxEnd = g.Start + g.Len;} }}groupMaxLen = groupMaxEnd - groupMinStart;int tagCount = groupMaxLen % this.stepLen == 0 ? groupMaxLen / this.stepLen : groupMaxLen / this.stepLen + 1;int currLen = 0;for (int i = 0; i < tagCount; i++){string tagName = String.Empty;if (tagCount == 1){tagName = String.Format("{0}-{1}", groupMinStart, groupMinStart + groupMaxLen - 1);currLen = groupMaxLen;}else if (i == tagCount - 1){tagName = String.Format("{0}-{1}", groupMinStart + (i this.stepLen), groupMinStart + (i this.stepLen) + (groupMaxLen % this.stepLen == 0 ? this.stepLen : groupMaxLen % this.stepLen) - 1);currLen = groupMaxLen % this.stepLen;}else{tagName = String.Format("{0}-{1}", groupMinStart + (i this.stepLen), groupMinStart + (i this.stepLen) + this.stepLen - 1);currLen = this.stepLen;}string tagFullName = String.Format("{0}{1}.{2}", groupNamePrefix, group.Block, tagName);if (!this.readResult.ContainsKey(tagFullName)){bool exists = false;region 判断读取结果标签组的范围是否包括了此标签 比如tagFullName DB5.220-299,在readResult中存在 DB5.200-299,则认为已存在,不需要再添加string[] beginend = null;int begin = 0;int end = 0;string[] startstop = tagFullName.Replace(String.Format("{0}{1}.", groupNamePrefix, group.Block), String.Empty).Split(new char[] { '-' });int start = 0;int stop = 0;bool parseResult = false;if (startstop.Length == 2){parseResult = int.TryParse(startstop[0], out start);if (parseResult){parseResult = int.TryParse(startstop[1], out stop);} }if (parseResult){int existsMinBegin = 0; //已存在标签的最小开始索引int existsMaxEnd = 0; //已存在标签的最大结束索引bool isContinue = true; //标签值是否连续string[] existsTags = this.readResult.Keys.ToArray<string>();foreach (string tag in existsTags){if (tag.StartsWith(String.Format("{0}{1}.", groupNamePrefix, group.Block)) && tag.Contains(".") && tag.Contains("-")){string[] tagname = tag.Split(new char[] { '.' });if (tagname.Length == 2){beginend = tagname[1].Split(new char[] { '-' });if (beginend.Length == 2){parseResult = int.TryParse(beginend[0], out begin);if (parseResult){parseResult = int.TryParse(beginend[1], out end);}region 计算最小开始索引和最大结束索引if (begin < existsMinBegin){existsMinBegin = begin;region 判断标签值是否连续if (existsMaxEnd != 0 && begin != existsMaxEnd + 1){isContinue = false;}endregion}if (end > existsMaxEnd){existsMaxEnd = end;}endregion} }if (parseResult){if (start >= begin && stop <= end){exists = true;break;}if (isContinue){if (start >= existsMinBegin && stop <= existsMaxEnd){exists = true;break;} }} }} }endregionif (!exists){ushort[] groupData = new ushort[currLen];this.readResult[tagFullName] = groupData;Console.WriteLine(tagFullName);} }}//int tagCount = group.Len % this.stepLen == 0 ? group.Len / this.stepLen : group.Len / this.stepLen + 1;//int currLen = 0;//for (int i = 0; i < tagCount; i++)//{// string tagName = String.Empty;// if (tagCount == 1)// {// tagName = String.Format("{0}-{1}", group.Start, group.Start + group.Len - 1);// currLen = group.Len;// }// else if (i == tagCount - 1)// {// tagName = String.Format("{0}-{1}", group.Start + (i this.stepLen), group.Start + (i this.stepLen) + (group.Len % this.stepLen == 0 ? this.stepLen : group.Len % this.stepLen) - 1);// currLen = group.Len % this.stepLen;// }// else// {// tagName = String.Format("{0}-{1}", group.Start + (i this.stepLen), group.Start + (i this.stepLen) + this.stepLen - 1);// currLen = this.stepLen;// }// string tagFullName = String.Format("{0}{1}.{2}", groupNamePrefix, group.Block, tagName);// if (!this.readResult.ContainsKey(tagFullName))// {// short[] groupData = new short[currLen];// this.readResult[tagFullName] = groupData;// }//} }endregionregion 开启内部定时读取if (this.innerReadThread == null){this.innerReadRate = this.Main.ReadHz / 2;this.innerReadThread = new System.Threading.Thread(this.InnerAutoRead);this.innerReadThread.Start();}endregion}return this.State;} }/// <summary>/// 从设备读取数据/// </summary>/// <param name="block">要读取的块号</param>/// <param name="start">要读取的起始字</param>/// <param name="len">要读取的长度</param>/// <param name="buff">读取成功后的输出数据</param>/// <returns>成功返回true,失败返回false</returns>public override bool Read(string block, int start, int len, out object[] buff){lock (this){buff = null;if (this._isClosing){return false;}string readstrflag = String.Format("{0}{1}.{2}-{3}", this.groupNamePrefix, block, start, start + len - 1);System.Text.StringBuilder sbtaglength = new System.Text.StringBuilder();string startTag = String.Empty;string groupName = String.Format("{0}{1}", this.groupNamePrefix, block); //要读取的OPCServer块List<ushort> groupData = new List<ushort>();List<string> groupTagNames = new List<string>();int startIndex = 0;try{if (!Open()){return false;}//return true;string[] keys = this.readResult.Keys.ToArray<string>();foreach (string key in keys){if (key.StartsWith(groupName) && key.Replace(String.Format("{0}.", groupName), String.Empty).Contains("-")){groupTagNames.Add(key);} }groupTagNames.Sort(); //对块标签进行排序foreach (string key in groupTagNames){if (String.IsNullOrEmpty(startTag)){startTag = key.Replace(String.Format("{0}.", groupName), String.Empty);}ushort[] values;if (this.readResult[key] is ushort[]){values = this.readResult[key] as ushort[];}else{values = new ushort[] { (ushort)this.readResult[key] };}sbtaglength.Append(String.Format("tagName={0}, buff length = {1}", key, values.Length));groupData.AddRange(values);}buff = new object[len];if (!String.IsNullOrEmpty(startTag)){string strStartIndex = startTag.Substring(0, startTag.IndexOf("-"));int.TryParse(strStartIndex, out startIndex);startIndex = start - startIndex;Array.Copy(groupData.ToArray(), startIndex, buff, 0, buff.Length);}else{}return true;}catch (Exception ex){Console.WriteLine(String.Join(";", groupTagNames.ToArray<string>()));Console.WriteLine("data length = " + groupData.Count);Console.WriteLine(this.Name + "读取失败[" + readstrflag + "]:" + ex.Message);Console.WriteLine(sbtaglength.ToString());this.State = false;return false;} }}/// <summary>/// 写入数据到设备/// </summary>/// <param name="block">要写入的块号</param>/// <param name="start">要写入的起始字</param>/// <param name="buff">要写如的数据</param>/// <returns>成功返回true,失败返回false</returns>public override bool Write(int block, int start, object[] buff){bool result = true;lock (this){try{if (this._isClosing){return false;}if (!Open()){return false;}bool isWrite = false;region 按标签变量写入string itemId = "";foreach (Equips.BaseInfo.Group group in this.Group.Values){if (group.Block == block.ToString()){foreach (Equips.BaseInfo.Data data in group.Data.Values){if (group.Start + data.Start == start && data.Len == buff.Length){if (this.dicTags.ContainsKey(data.Name)){itemId = this.dicTags[data.Name];}break;} }} }if (!String.IsNullOrEmpty(itemId)){UInt16[] intBuff = new UInt16[buff.Length];for (int i = 0; i < intBuff.Length; i++){intBuff[i] = 0;if (!UInt16.TryParse(buff[i].ToString(), out intBuff[i])){Console.WriteLine("在写入OPCUA标签时把buff中的元素转为UInt16类型失败!");} }result = this.myOpcHelper.WriteUInt16(itemId, intBuff);if (!result){Console.WriteLine(String.Format("标签变量[{0}]写入失败!", itemId));return false;}else{Console.WriteLine("按标签变量写入..." + itemId);isWrite = true;} }if (isWrite){return true;}endregionregion 按块写入region 先读取相应标签数数据string startTag = String.Empty;string groupName = String.Format("{0}{1}", this.groupNamePrefix, block); //要读取的OPCServer块List<ushort> groupData = new List<ushort>();string[] keys = readResult.Keys.Where(o => o.StartsWith(groupName) && o.Contains("-")).OrderBy(c => c).ToArray<string>();foreach (string key in keys){if (String.IsNullOrEmpty(startTag)){startTag = key.Replace(String.Format("{0}.", groupName), String.Empty);}string[] beginEnd = key.Replace(String.Format("{0}.", groupName), String.Empty).Split(new char[] { '-' });if (beginEnd.Length != 2){Console.WriteLine(String.Format("标签变量[{0}]未按约定方式命名,请按[DB块号].[起始字-结束字]方式标签变量进行命名!", String.Format("{0}.{1}", key)));return false;}int begin = 0;int end = 0;int.TryParse(beginEnd[0], out begin);int.TryParse(beginEnd[1], out end);region 写入之前,先读取一下PLC的值if ((start >= begin && start <= end) || ((start + buff.Length - 1) >= begin && (start + buff.Length - 1) <= end) || (start < begin && (start + buff.Length - 1) > end)){this.ReadTag(key);if (this.readResult.ContainsKey(key) && this.readResult[key] is Array){Console.WriteLine("read = " + key);groupData.AddRange(this.readResult[key] as ushort[]);}else{Console.WriteLine(String.Format("读取结果中不包含标签变量[{0}]的值!", String.Format("{0}", key)));} }else{if (this.readResult.ContainsKey(key) && this.readResult[key] is Array){Console.WriteLine("no read = " + key);groupData.AddRange(this.readResult[key] as ushort[]);} }endregion}endregionif (String.IsNullOrEmpty(startTag)){Console.WriteLine("写入失败,未在OPCUAserver中找到对应的标签,block = {0}, start = {1}, len = {2}", block, start, buff.Length);return false;}region 更新标签中对应的数据后,再写回OPCServerint startIndex = 0;string strStartIndex = startTag.Substring(0, startTag.IndexOf("-"));int.TryParse(strStartIndex, out startIndex);startIndex = start - startIndex;ushort[] newDataBuffer = groupData.ToArray();for (int i = 0; i < buff.Length; i++){ushort svalue = 0;ushort.TryParse(buff[i].ToString(), out svalue);newDataBuffer[startIndex + i] = svalue;}int index = 0;string[] keys2 = readResult.Keys.Where(o => o.StartsWith(groupName) && o.Contains("-")).OrderBy(c => c).ToArray<string>();foreach (string key2 in keys2){string[] beginEnd = key2.Replace(String.Format("{0}.", groupName), String.Empty).Split(new char[] { '-' });if (beginEnd.Length != 2){Console.WriteLine(String.Format("标签变量[{0}]未按约定方式命名,请按[DB块号].[起始字-结束字]方式标签变量进行命名!", String.Format("{0}", key2)));return false;}int begin = 0;int end = 0;int.TryParse(beginEnd[0], out begin);int.TryParse(beginEnd[1], out end);if ((start >= begin && start <= end) || ((start + buff.Length - 1) >= begin && (start + buff.Length - 1) <= end) || (start < begin && (start + buff.Length - 1) > end)){//Console.WriteLine("---------------------------------------------------------");//Console.WriteLine("start = " + start);//Console.WriteLine("start + buff.Length - 1 = " + (start + buff.Length -1));//Console.WriteLine("begin = " + begin);//Console.WriteLine("end = " + end);//Console.WriteLine("---------------------------------------------------------");if (!this.dicTags.ContainsKey(key2)){Console.WriteLine(String.Format("写入失败:标签变量[{0}]在OpcUA Server中未定义!", String.Format("{0}", key2)));return false;}int len = (this.readResult[key2] as ushort[]).Length;ushort[] tagDataBuff = new ushort[len];//Console.WriteLine("newDataBuff");//Console.WriteLine(String.Join(",", newDataBuffer));//Console.WriteLine("index = " + index);//Console.WriteLine("tagDataBuff.Length = " + tagDataBuff.Length);//Array.Copy(newDataBuffer, begin, tagDataBuff, 0, tagDataBuff.Length);int existsMinBegin = this.GetExistsMinBeginByBlock(block.ToString());Array.Copy(newDataBuffer, begin - existsMinBegin, tagDataBuff, 0, tagDataBuff.Length);index += tagDataBuff.Length;//Console.WriteLine("Write " + key2);//Console.WriteLine(String.Join(",", tagDataBuff));//Console.WriteLine("写入标签:" + this.dicTags[key2]);result = this.myOpcHelper.WriteUInt16(this.dicTags[key2], tagDataBuff);if (!result){Console.WriteLine(String.Format("向标签变量[{0}]中写入值失败!", String.Format("{0}", key2)));return false;}else{this.ReadTag(key2);Console.WriteLine("写入...");}//Console.WriteLine("---------------------------------------------------------");} }endregionendregionreturn result;}catch (Exception ex){Console.WriteLine(this.Name + "写入失败:" + ex.Message);return false;} }}/// <summary>/// 关闭方法,断开与设备的连接释放资源/// </summary>public override void Close(){try{this._isClosing = true;System.Threading.Thread.Sleep(this.Main.ReadHz);if (this.innerReadThread != null){this.innerReadThread.Abort();this.innerReadThread = null;} }catch (Exception ex){Console.WriteLine("关闭内部读取OPCUA线程异常:" + ex.Message);}try{if (this.myOpcHelper != null){this.myOpcHelper.Close();this.myOpcHelper = null;this.State = false;this._isOpen = false;} }catch (Exception ex){Console.WriteLine("关于与OPCUA服务连接异常:" + ex.Message);} }endregionregion 辅助方法/// <summary>/// 获取某个数据块标签的最小开始索引/// </summary>/// <param name="block">块号</param>/// <returns>返回数据块标签的最小开始索引</returns>private int GetExistsMinBeginByBlock(string block){int existsMinBegin = 99999; //已存在标签的最小开始索引int existsMaxEnd = 0; //已存在标签的最大结束索引bool isContinue = true; //标签值是否连续string[] existsTags = this.readResult.Keys.ToArray<string>();string[] beginend = null;bool parseResult = false;int begin = 0;int end = 0;foreach (string tag in existsTags){if (tag.StartsWith(String.Format("{0}{1}.", groupNamePrefix, block)) && tag.Contains(".") && tag.Contains("-")){string[] tagname = tag.Split(new char[] { '.' });if (tagname.Length == 2){beginend = tagname[1].Split(new char[] { '-' });if (beginend.Length == 2){parseResult = int.TryParse(beginend[0], out begin);if (parseResult){parseResult = int.TryParse(beginend[1], out end);}region 计算最小开始索引和最大结束索引if (begin < existsMinBegin){existsMinBegin = begin;region 判断标签值是否连续if (existsMaxEnd != 0 && begin != existsMaxEnd + 1){isContinue = false;}endregion}if (end > existsMaxEnd){existsMaxEnd = end;}endregion} }if (parseResult){//} }}return existsMinBegin;}/// <summary>/// 读取标签/// </summary>/// <param name="tagName"></param>private void ReadTag(string tagName){UInt16[] buff = null;if (this.dicTags.ContainsKey(tagName)){if (this.myOpcHelper.ReadUInt16(this.dicTags[tagName], out buff)){//Console.WriteLine("tagName={0}, buff length = {1}", tagName, buff.Length);if (this.readResult.ContainsKey(tagName)){this.readResult[tagName] = buff;}else{this.readResult.Add(tagName, buff);} }else{Console.WriteLine("Mesnac.Equip.OPC.OpcUa.OPCUA.Equip.ReadTag Exception 读取标签:[{0}]失败!", tagName);} }else{Console.WriteLine("Mesnac.Equip.OPC.OpcUa.OPCUA.Equip.ReadTag Exception OPCUA Server中未定义此标签:[{0}]!", tagName);} }/// <summary>/// 内部自动读取方法/// </summary>private void InnerAutoRead(){while (this._isOpen && this._isClosing == false){try{if (this.myOpcHelper == null){this._isClosing = true;this.State = false;return;}lock (this){string[] keys = this.readResult.Keys.ToArray<string>();foreach (string key in keys){this.ReadTag(key);} }System.Threading.Thread.Sleep(this.innerReadRate);}catch (Exception ex){Console.WriteLine("Mesnac.Equip.OPC.OpcUa.OPCUA.Equip.InnerAutoRead Exception : " + ex.Message);} }this.innerReadThread = null;}endregionregion 析构方法~Equip(){this.Close();}endregion} } 代码下载 代码下载 本篇文章为转载内容。原文链接:https://blog.csdn.net/zlbdmm/article/details/96714776。 该文由互联网用户投稿提供,文中观点代表作者本人意见,并不代表本站的立场。 作为信息平台,本站仅提供文章转载服务,并不拥有其所有权,也不对文章内容的真实性、准确性和合法性承担责任。 如发现本文存在侵权、违法、违规或事实不符的情况,请及时联系我们,我们将第一时间进行核实并删除相应内容。
2023-05-10 18:43:00
269
转载
转载文章
...务器读取配置文件,请使用启动选项“——default -file”。 To run the server from the command line, execute this in a command line shell, e.g. mysqld --defaults-file="C:\Program Files\MySQL\MySQL Server X.Y\my.ini" 要从命令行运行服务器,请在命令行shell中执行,例如mysqld——default -file="C:\Program Files\MySQL\MySQL server X.Y\my.ini" To install the server as a Windows service manually, execute this in a command line shell, e.g. mysqld --install MySQLXY --defaults-file="C:\Program Files\MySQL\MySQL Server X.Y\my.ini" 要手动将服务器安装为Windows服务,请在命令行shell中执行此操作,例如mysqld——install MySQLXY——default -file="C:\Program Files\MySQL\MySQL server X.Y\my.ini" And then execute this in a command line shell to start the server, e.g. net start MySQLXY 然后在命令行shell中执行这个命令来启动服务器,例如net start MySQLXY Guidelines for editing this file编辑此文件的指南 ---------------------------------------------------------------------- In this file, you can use all long options that the program supports. If you want to know the options a program supports, start the program with the "--help" option. 在这个文件中,您可以使用程序支持的所有长选项。如果您想知道程序支持的选项,请使用“——help”选项启动程序。 More detailed information about the individual options can also be found in the manual. For advice on how to change settings please see https://dev.mysql.com/doc/refman/8.0/en/server-configuration-defaults.html 有关各个选项的更详细信息也可以在手册中找到。有关如何更改设置的建议,请参见https://dev.mysql.com/doc/refman/8.0/en/server-configuration-defaults.html CLIENT SECTION 客户端部分 ---------------------------------------------------------------------- The following options will be read by MySQL client applications. Note that only client applications shipped by MySQL are guaranteed to read this section. If you want your own MySQL client program to honor these values, you need to specify it as an option during the MySQL client library initialization. MySQL客户机应用程序将读取以下选项。注意,只有MySQL提供的客户端应用程序才能阅读本节。如果您希望自己的MySQL客户机程序遵守这些值,您需要在初始化MySQL客户机库时将其指定为一个选项。 [client] pipe= socket=MYSQL port=3306 [mysql] no-beep default-character-set= SERVER SECTION 服务器部分 ---------------------------------------------------------------------- The following options will be read by the MySQL Server. Make sure that you have installed the server correctly (see above) so it reads this file. MySQL服务器将读取以下选项。确保您已经正确安装了服务器(参见上面),以便它读取这个文件。 server_type=3 [mysqld] The next three options are mutually exclusive to SERVER_PORT below. 下面的三个选项对SERVER_PORT是互斥的。skip-networking enable-named-pipe 共享内存 skip-networking enable-named-pipe shared-memory shared-memory-base-name=MYSQL The Pipe the MySQL Server will use socket=MYSQL The TCP/IP Port the MySQL Server will listen on port=3306 Path to installation directory. All paths are usually resolved relative to this. basedir="C:/Program Files/MySQL/MySQL Server 8.0/" Path to the database root datadir=C:/ProgramData/MySQL/MySQL Server 8.0/Data The default character set that will be used when a new schema or table is created and no character set is defined 创建新模式或表时使用的默认字符集,并且没有定义字符集 character-set-server= The default authentication plugin to be used when connecting to the server 连接到服务器时使用的默认身份验证插件 default_authentication_plugin=caching_sha2_password The default storage engine that will be used when create new tables when 当创建新表时将使用的默认存储引擎 default-storage-engine=INNODB Set the SQL mode to strict 将SQL模式设置为strict sql-mode="STRICT_TRANS_TABLES,NO_ENGINE_SUBSTITUTION" General and Slow logging. 一般和缓慢的日志。 log-output=NONE general-log=0 general_log_file="DESKTOP-NF9QETB.log" slow-query-log=0 slow_query_log_file="DESKTOP-NF9QETB-slow.log" long_query_time=10 Binary Logging. 二进制日志。 log-bin Error Logging. 错误日志记录。 log-error="DESKTOP-NF9QETB.err" Server Id. server-id=1 Indicates how table and database names are stored on disk and used in MySQL. 指示表名和数据库名如何存储在磁盘上并在MySQL中使用。 Value = 0: Table and database names are stored on disk using the lettercase specified in the CREATE TABLE or CREATE DATABASE statement. Name comparisons are case sensitive. You should not set this variable to 0 if you are running MySQL on a system that has case-insensitive file names (such as Windows or macOS). Value = 0:表名和数据库名使用CREATE Table或CREATE database语句中指定的lettercase存储在磁盘上。名称比较区分大小写。如果您在一个具有不区分大小写文件名(如Windows或macOS)的系统上运行MySQL,则不应将该变量设置为0。 Value = 1: Table names are stored in lowercase on disk and name comparisons are not case-sensitive. MySQL converts all table names to lowercase on storage and lookup. This behavior also applies to database names and table aliases. 表名以小写存储在磁盘上,并且名称比较不区分大小写。MySQL在存储和查找时将所有表名转换为小写。此行为也适用于数据库名称和表别名。 Value = 3, Table and database names are stored on disk using the lettercase specified in the CREATE TABLE or CREATE DATABASE statement, but MySQL converts them to lowercase on lookup. Name comparisons are not case sensitive. This works only on file systems that are not case-sensitive! InnoDB table names and view names are stored in lowercase, as for Value = 1.表名和数据库名使用CREATE Table或CREATE database语句中指定的lettercase存储在磁盘上,但是MySQL在查找时将它们转换为小写。名称比较不区分大小写。这只适用于不区分大小写的文件系统!InnoDB表名和视图名以小写存储,Value = 1。 NOTE: lower_case_table_names can only be configured when initializing the server. Changing the lower_case_table_names setting after the server is initialized is prohibited. lower_case_table_names=1 Secure File Priv. 权限安全文件 secure-file-priv="C:/ProgramData/MySQL/MySQL Server 8.0/Uploads" The maximum amount of concurrent sessions the MySQL server will allow. One of these connections will be reserved for a user with SUPER privileges to allow the administrator to login even if the connection limit has been reached. MySQL服务器允许的最大并发会话量。这些连接中的一个将保留给具有超级特权的用户,以便允许管理员登录,即使已经达到连接限制。 max_connections=151 The number of open tables for all threads. Increasing this value increases the number of file descriptors that mysqld requires. Therefore you have to make sure to set the amount of open files allowed to at least 4096 in the variable "open-files-limit" in 为所有线程打开的表的数量。增加这个值会增加mysqld需要的文件描述符的数量。因此,您必须确保在[mysqld_safe]节中的变量“open-files-limit”中将允许打开的文件数量至少设置为4096 section [mysqld_safe] table_open_cache=2000 Maximum size for internal (in-memory) temporary tables. If a table grows larger than this value, it is automatically converted to disk based table This limitation is for a single table. There can be many of them. 内部(内存)临时表的最大大小。如果一个表比这个值大,那么它将自动转换为基于磁盘的表。可以有很多。 tmp_table_size=94M How many threads we should keep in a cache for reuse. When a client disconnects, the client's threads are put in the cache if there aren't more than thread_cache_size threads from before. This greatly reduces the amount of thread creations needed if you have a lot of new connections. (Normally this doesn't give a notable performance improvement if you have a good thread implementation.) 我们应该在缓存中保留多少线程以供重用。当客户机断开连接时,如果之前的线程数不超过thread_cache_size,则将客户机的线程放入缓存。如果您有很多新连接,这将大大减少所需的线程创建量(通常,如果您有一个良好的线程实现,这不会带来显著的性能改进)。 thread_cache_size=10 MyISAM Specific options The maximum size of the temporary file MySQL is allowed to use while recreating the index (during REPAIR, ALTER TABLE or LOAD DATA INFILE. If the file-size would be bigger than this, the index will be created through the key cache (which is slower). MySQL允许在重新创建索引时(在修复、修改表或加载数据时)使用临时文件的最大大小。如果文件大小大于这个值,那么索引将通过键缓存创建(这比较慢)。 myisam_max_sort_file_size=100G If the temporary file used for fast index creation would be bigger than using the key cache by the amount specified here, then prefer the key cache method. This is mainly used to force long character keys in large tables to use the slower key cache method to create the index. myisam_sort_buffer_size=179M Size of the Key Buffer, used to cache index blocks for MyISAM tables. Do not set it larger than 30% of your available memory, as some memory is also required by the OS to cache rows. Even if you're not using MyISAM tables, you should still set it to 8-64M as it will also be used for internal temporary disk tables. 如果用于快速创建索引的临时文件比这里指定的使用键缓存的文件大,则首选键缓存方法。这主要用于强制大型表中的长字符键使用较慢的键缓存方法来创建索引。 key_buffer_size=8M Size of the buffer used for doing full table scans of MyISAM tables. Allocated per thread, if a full scan is needed. 用于对MyISAM表执行全表扫描的缓冲区的大小。如果需要完整的扫描,则为每个线程分配。 read_buffer_size=256K read_rnd_buffer_size=512K INNODB Specific options INNODB特定选项 innodb_data_home_dir= Use this option if you have a MySQL server with InnoDB support enabled but you do not plan to use it. This will save memory and disk space and speed up some things. 如果您启用了一个支持InnoDB的MySQL服务器,但是您不打算使用它,那么可以使用这个选项。这将节省内存和磁盘空间,并加快一些事情。skip-innodb skip-innodb If set to 1, InnoDB will flush (fsync) the transaction logs to the disk at each commit, which offers full ACID behavior. If you are willing to compromise this safety, and you are running small transactions, you may set this to 0 or 2 to reduce disk I/O to the logs. Value 0 means that the log is only written to the log file and the log file flushed to disk approximately once per second. Value 2 means the log is written to the log file at each commit, but the log file is only flushed to disk approximately once per second. 如果设置为1,InnoDB将在每次提交时将事务日志刷新(fsync)到磁盘,这将提供完整的ACID行为。如果您愿意牺牲这种安全性,并且正在运行小型事务,您可以将其设置为0或2,以将磁盘I/O减少到日志。值0表示日志仅写入日志文件,日志文件大约每秒刷新一次磁盘。值2表示日志在每次提交时写入日志文件,但是日志文件大约每秒只刷新一次磁盘。 innodb_flush_log_at_trx_commit=1 The size of the buffer InnoDB uses for buffering log data. As soon as it is full, InnoDB will have to flush it to disk. As it is flushed once per second anyway, it does not make sense to have it very large (even with long transactions).InnoDB用于缓冲日志数据的缓冲区大小。一旦它满了,InnoDB就必须将它刷新到磁盘。由于它无论如何每秒刷新一次,所以将它设置为非常大的值是没有意义的(即使是长事务)。 innodb_log_buffer_size=5M InnoDB, unlike MyISAM, uses a buffer pool to cache both indexes and row data. The bigger you set this the less disk I/O is needed to access data in tables. On a dedicated database server you may set this parameter up to 80% of the machine physical memory size. Do not set it too large, though, because competition of the physical memory may cause paging in the operating system. Note that on 32bit systems you might be limited to 2-3.5G of user level memory per process, so do not set it too high. 与MyISAM不同,InnoDB使用缓冲池来缓存索引和行数据。设置的值越大,访问表中的数据所需的磁盘I/O就越少。在专用数据库服务器上,可以将该参数设置为机器物理内存大小的80%。但是,不要将它设置得太大,因为物理内存的竞争可能会导致操作系统中的分页。注意,在32位系统上,每个进程的用户级内存可能被限制在2-3.5G,所以不要设置得太高。 innodb_buffer_pool_size=20M Size of each log file in a log group. You should set the combined size of log files to about 25%-100% of your buffer pool size to avoid unneeded buffer pool flush activity on log file overwrite. However, note that a larger logfile size will increase the time needed for the recovery process. 日志组中每个日志文件的大小。您应该将日志文件的合并大小设置为缓冲池大小的25%-100%,以避免在覆盖日志文件时出现不必要的缓冲池刷新活动。但是,请注意,较大的日志文件大小将增加恢复过程所需的时间。 innodb_log_file_size=48M Number of threads allowed inside the InnoDB kernel. The optimal value depends highly on the application, hardware as well as the OS scheduler properties. A too high value may lead to thread thrashing. InnoDB内核中允许的线程数。最优值在很大程度上取决于应用程序、硬件以及OS调度程序属性。过高的值可能导致线程抖动。 innodb_thread_concurrency=9 The increment size (in MB) for extending the size of an auto-extend InnoDB system tablespace file when it becomes full. 增量大小(以MB为单位),用于在表空间满时扩展自动扩展的InnoDB系统表空间文件的大小。 innodb_autoextend_increment=128 The number of regions that the InnoDB buffer pool is divided into. For systems with buffer pools in the multi-gigabyte range, dividing the buffer pool into separate instances can improve concurrency, by reducing contention as different threads read and write to cached pages. InnoDB缓冲池划分的区域数。对于具有多gb缓冲池的系统,将缓冲池划分为单独的实例可以提高并发性,因为不同的线程对缓存页面的读写会减少争用。 innodb_buffer_pool_instances=8 Determines the number of threads that can enter InnoDB concurrently. 确定可以同时进入InnoDB的线程数 innodb_concurrency_tickets=5000 Specifies how long in milliseconds (ms) a block inserted into the old sublist must stay there after its first access before it can be moved to the new sublist. 指定插入到旧子列表中的块必须在第一次访问之后停留多长时间(毫秒),然后才能移动到新子列表。 innodb_old_blocks_time=1000 It specifies the maximum number of .ibd files that MySQL can keep open at one time. The minimum value is 10. 它指定MySQL一次可以打开的.ibd文件的最大数量。最小值是10。 innodb_open_files=300 When this variable is enabled, InnoDB updates statistics during metadata statements. 当启用此变量时,InnoDB会在元数据语句期间更新统计信息。 innodb_stats_on_metadata=0 When innodb_file_per_table is enabled (the default in 5.6.6 and higher), InnoDB stores the data and indexes for each newly created table in a separate .ibd file, rather than in the system tablespace. 当启用innodb_file_per_table(5.6.6或更高版本的默认值)时,InnoDB将每个新创建的表的数据和索引存储在单独的.ibd文件中,而不是系统表空间中。 innodb_file_per_table=1 Use the following list of values: 0 for crc32, 1 for strict_crc32, 2 for innodb, 3 for strict_innodb, 4 for none, 5 for strict_none. 使用以下值列表:0表示crc32, 1表示strict_crc32, 2表示innodb, 3表示strict_innodb, 4表示none, 5表示strict_none。 innodb_checksum_algorithm=0 The number of outstanding connection requests MySQL can have. This option is useful when the main MySQL thread gets many connection requests in a very short time. It then takes some time (although very little) for the main thread to check the connection and start a new thread. The back_log value indicates how many requests can be stacked during this short time before MySQL momentarily stops answering new requests. You need to increase this only if you expect a large number of connections in a short period of time. MySQL可以有多少未完成连接请求。当MySQL主线程在很短的时间内收到许多连接请求时,这个选项非常有用。然后,主线程需要一些时间(尽管很少)来检查连接并启动一个新线程。back_log值表示在MySQL暂时停止响应新请求之前的短时间内可以堆多少个请求。只有当您预期在短时间内会有大量连接时,才需要增加这个值。 back_log=80 If this is set to a nonzero value, all tables are closed every flush_time seconds to free up resources and synchronize unflushed data to disk. This option is best used only on systems with minimal resources. 如果将该值设置为非零值,则每隔flush_time秒关闭所有表,以释放资源并将未刷新的数据同步到磁盘。这个选项最好只在资源最少的系统上使用。 flush_time=0 The minimum size of the buffer that is used for plain index scans, range index scans, and joins that do not use 用于普通索引扫描、范围索引扫描和不使用索引执行全表扫描的连接的缓冲区的最小大小。 indexes and thus perform full table scans. join_buffer_size=200M The maximum size of one packet or any generated or intermediate string, or any parameter sent by the mysql_stmt_send_long_data() C API function. 由mysql_stmt_send_long_data() C API函数发送的一个包或任何生成的或中间字符串或任何参数的最大大小 max_allowed_packet=500M If more than this many successive connection requests from a host are interrupted without a successful connection, the server blocks that host from performing further connections. 如果在没有成功连接的情况下中断了来自主机的多个连续连接请求,则服务器将阻止主机执行进一步的连接。 max_connect_errors=100 Changes the number of file descriptors available to mysqld. You should try increasing the value of this option if mysqld gives you the error "Too many open files". 更改mysqld可用的文件描述符的数量。如果mysqld给您的错误是“打开的文件太多”,您应该尝试增加这个选项的值。 open_files_limit=4161 If you see many sort_merge_passes per second in SHOW GLOBAL STATUS output, you can consider increasing the sort_buffer_size value to speed up ORDER BY or GROUP BY operations that cannot be improved with query optimization or improved indexing. 如果在SHOW GLOBAL STATUS输出中每秒看到许多sort_merge_passes,可以考虑增加sort_buffer_size值,以加快ORDER BY或GROUP BY操作的速度,这些操作无法通过查询优化或改进索引来改进。 sort_buffer_size=1M The number of table definitions (from .frm files) that can be stored in the definition cache. If you use a large number of tables, you can create a large table definition cache to speed up opening of tables. The table definition cache takes less space and does not use file descriptors, unlike the normal table cache. The minimum and default values are both 400. 可以存储在定义缓存中的表定义的数量(来自.frm文件)。如果使用大量表,可以创建一个大型表定义缓存来加速表的打开。与普通的表缓存不同,表定义缓存占用更少的空间,并且不使用文件描述符。最小值和默认值都是400。 table_definition_cache=1400 Specify the maximum size of a row-based binary log event, in bytes. Rows are grouped into events smaller than this size if possible. The value should be a multiple of 256. 指定基于行的二进制日志事件的最大大小,单位为字节。如果可能,将行分组为小于此大小的事件。这个值应该是256的倍数。 binlog_row_event_max_size=8K If the value of this variable is greater than 0, a replication slave synchronizes its master.info file to disk. (using fdatasync()) after every sync_master_info events. 如果该变量的值大于0,则复制奴隶将其主.info文件同步到磁盘。(在每个sync_master_info事件之后使用fdatasync())。 sync_master_info=10000 If the value of this variable is greater than 0, the MySQL server synchronizes its relay log to disk. (using fdatasync()) after every sync_relay_log writes to the relay log. 如果这个变量的值大于0,MySQL服务器将其中继日志同步到磁盘。(在每个sync_relay_log写入到中继日志之后使用fdatasync())。 sync_relay_log=10000 If the value of this variable is greater than 0, a replication slave synchronizes its relay-log.info file to disk. (using fdatasync()) after every sync_relay_log_info transactions. 如果该变量的值大于0,则复制奴隶将其中继日志.info文件同步到磁盘。(在每个sync_relay_log_info事务之后使用fdatasync())。 sync_relay_log_info=10000 Load mysql plugins at start."plugin_x ; plugin_y". 开始时加载mysql插件。“plugin_x;plugin_y” plugin_load The TCP/IP Port the MySQL Server X Protocol will listen on. MySQL服务器X协议将监听TCP/IP端口。 loose_mysqlx_port=33060 本篇文章为转载内容。原文链接:https://blog.csdn.net/mywpython/article/details/89499852。 该文由互联网用户投稿提供,文中观点代表作者本人意见,并不代表本站的立场。 作为信息平台,本站仅提供文章转载服务,并不拥有其所有权,也不对文章内容的真实性、准确性和合法性承担责任。 如发现本文存在侵权、违法、违规或事实不符的情况,请及时联系我们,我们将第一时间进行核实并删除相应内容。
2023-10-08 09:56:02
129
转载
建站模板下载
...介绍 这款“宽屏电商数字化用户系统HTML网页模板”专为电商服务类网站设计,适用于展示与管理各类数字产品。该模板具备出色的宽屏视觉效果及强大的数字化信息管理功能,旨在提升用户在电商平台的交互体验和信息获取效率。它提供了便捷的下载方式,适用于构建电商系统、数字产品网站等场景,助力企业实现数字化转型,打造专业且高效的电商服务平台。 点我下载 文件大小:5.94 MB 您将下载一个资源包,该资源包内部文件的目录结构如下: 本网站提供模板下载功能,旨在帮助广大用户在工作学习中提升效率、节约时间。 本网站的下载内容来自于互联网。如您发现任何侵犯您权益的内容,请立即告知我们,我们将迅速响应并删除相关内容。 免责声明:站内所有资源仅供个人学习研究及参考之用,严禁将这些资源应用于商业场景。 若擅自商用导致的一切后果,由使用者承担责任。
2023-01-03 17:45:40
124
本站
建站模板下载
...有科技感的网站页面,实现便捷的下载功能,满足更多科技企业的数字化需求。 点我下载 文件大小:1.22 MB 您将下载一个资源包,该资源包内部文件的目录结构如下: 本网站提供模板下载功能,旨在帮助广大用户在工作学习中提升效率、节约时间。 本网站的下载内容来自于互联网。如您发现任何侵犯您权益的内容,请立即告知我们,我们将迅速响应并删除相关内容。 免责声明:站内所有资源仅供个人学习研究及参考之用,严禁将这些资源应用于商业场景。 若擅自商用导致的一切后果,由使用者承担责任。
2023-05-07 20:12:02
91
本站
建站模板下载
...展现企业形象与服务,实现信息数字化管理与交互,提升客户体验和业务效率。 点我下载 文件大小:15.79 MB 您将下载一个资源包,该资源包内部文件的目录结构如下: 本网站提供模板下载功能,旨在帮助广大用户在工作学习中提升效率、节约时间。 本网站的下载内容来自于互联网。如您发现任何侵犯您权益的内容,请立即告知我们,我们将迅速响应并删除相关内容。 免责声明:站内所有资源仅供个人学习研究及参考之用,严禁将这些资源应用于商业场景。 若擅自商用导致的一切后果,由使用者承担责任。
2023-07-08 14:56:56
295
本站
建站模板下载
...化了移动端浏览体验,实现全平台自适应布局。用户可便捷下载并快速搭建出兼具美观与实用性的企业网站,满足多元化的企业数字化展示需求。 点我下载 文件大小:5.17 MB 您将下载一个资源包,该资源包内部文件的目录结构如下: 本网站提供模板下载功能,旨在帮助广大用户在工作学习中提升效率、节约时间。 本网站的下载内容来自于互联网。如您发现任何侵犯您权益的内容,请立即告知我们,我们将迅速响应并删除相关内容。 免责声明:站内所有资源仅供个人学习研究及参考之用,严禁将这些资源应用于商业场景。 若擅自商用导致的一切后果,由使用者承担责任。
2023-02-15 16:45:59
124
本站
建站模板下载
资源介绍 该“数字代理商业公司模板”是一款专为科技、数据与数码产品企业设计的HTML5响应式网站模板,适用于展示数据产品、项目案例及进行企业宣传。模板以现代科技风格构建,强调数据可视化和项目展示功能,方便用户下载后快速搭建专业且具有代理业务特色的商业网站,实现卓越的在线品牌形象塑造与信息传递效果。 点我下载 文件大小:5.81 MB 您将下载一个资源包,该资源包内部文件的目录结构如下: 本网站提供模板下载功能,旨在帮助广大用户在工作学习中提升效率、节约时间。 本网站的下载内容来自于互联网。如您发现任何侵犯您权益的内容,请立即告知我们,我们将迅速响应并删除相关内容。 免责声明:站内所有资源仅供个人学习研究及参考之用,严禁将这些资源应用于商业场景。 若擅自商用导致的一切后果,由使用者承担责任。
2023-10-16 16:02:20
265
本站
建站模板下载
资源介绍 这款“简约数字化办公企业单页网站html5模板”专为展现企业形象与产品而设计,以数字与简约风格为核心,拥有固定导航栏方便用户操作。宽屏布局呈现清晰、专业的企业信息和产品展示,特别适合数字化办公环境使用。作为一款单页模板,它将企业简介、服务内容及联系信息等整合于一页,实现流畅的一站式浏览体验,满足用户快速获取企业全面信息的需求,是现代企业构建官方网站的理想之选。 点我下载 文件大小:1.20 MB 您将下载一个资源包,该资源包内部文件的目录结构如下: 本网站提供模板下载功能,旨在帮助广大用户在工作学习中提升效率、节约时间。 本网站的下载内容来自于互联网。如您发现任何侵犯您权益的内容,请立即告知我们,我们将迅速响应并删除相关内容。 免责声明:站内所有资源仅供个人学习研究及参考之用,严禁将这些资源应用于商业场景。 若擅自商用导致的一切后果,由使用者承担责任。
2023-08-29 16:33:34
78
本站
建站模板下载
...源介绍 该“简约电商数字化用户系统网站模板”是一款静态响应式HTML5/CSS3企业级网站模板,专为电商企业打造。设计风格简约现代,充分体现了数字化用户系统的便捷与高效,适用于各类电子商务平台。此模板具备出色的响应式布局,能在不同设备上自适应展示,提供卓越的用户体验。通过此模板,企业可快速构建功能齐全且界面美观的电商网站,实现更多业务场景需求。 点我下载 文件大小:5.93 MB 您将下载一个资源包,该资源包内部文件的目录结构如下: 本网站提供模板下载功能,旨在帮助广大用户在工作学习中提升效率、节约时间。 本网站的下载内容来自于互联网。如您发现任何侵犯您权益的内容,请立即告知我们,我们将迅速响应并删除相关内容。 免责声明:站内所有资源仅供个人学习研究及参考之用,严禁将这些资源应用于商业场景。 若擅自商用导致的一切后果,由使用者承担责任。
2023-02-06 22:19:28
102
本站
建站模板下载
...示和推广产品为核心,实现动态内容呈现,具备响应式布局,可自适应各类终端设备,提供无缝浏览体验。同时,丰富的下载选项满足不同公司类型的建站需求,让您的公司在数字化时代脱颖而出,全面展现企业实力与品牌形象。 点我下载 文件大小:1.63 MB 您将下载一个资源包,该资源包内部文件的目录结构如下: 本网站提供模板下载功能,旨在帮助广大用户在工作学习中提升效率、节约时间。 本网站的下载内容来自于互联网。如您发现任何侵犯您权益的内容,请立即告知我们,我们将迅速响应并删除相关内容。 免责声明:站内所有资源仅供个人学习研究及参考之用,严禁将这些资源应用于商业场景。 若擅自商用导致的一切后果,由使用者承担责任。
2023-08-23 21:33:55
196
本站
建站模板下载
...标题、关键词和描述,实现快速搭建与管理前端网站,助力企业在数字化时代提升品牌形象与网络营销效果。 点我下载 文件大小:16.69 MB 您将下载一个资源包,该资源包内部文件的目录结构如下: 本网站提供模板下载功能,旨在帮助广大用户在工作学习中提升效率、节约时间。 本网站的下载内容来自于互联网。如您发现任何侵犯您权益的内容,请立即告知我们,我们将迅速响应并删除相关内容。 免责声明:站内所有资源仅供个人学习研究及参考之用,严禁将这些资源应用于商业场景。 若擅自商用导致的一切后果,由使用者承担责任。
2023-06-07 10:55:12
336
本站
建站模板下载
...人信息、经历与作品,实现全面且专业的自我介绍。其简洁明了的样式不仅易于阅读,更能彰显个性品味,适用于各类求职者快速构建专属在线简历网站,同时支持更多个性化定制需求,帮助用户在数字化时代脱颖而出。 点我下载 文件大小:426.59 KB 您将下载一个资源包,该资源包内部文件的目录结构如下: 本网站提供模板下载功能,旨在帮助广大用户在工作学习中提升效率、节约时间。 本网站的下载内容来自于互联网。如您发现任何侵犯您权益的内容,请立即告知我们,我们将迅速响应并删除相关内容。 免责声明:站内所有资源仅供个人学习研究及参考之用,严禁将这些资源应用于商业场景。 若擅自商用导致的一切后果,由使用者承担责任。
2023-08-28 12:31:25
52
本站
站内搜索
用于搜索本网站内部文章,支持栏目切换。
知识学习
实践的时候请根据实际情况谨慎操作。
随机学习一条linux命令:
ifconfig 或 ip addr show
- 查看网络接口配置信息。
推荐内容
推荐本栏目内的其它文章,看看还有哪些文章让你感兴趣。
2023-04-28
2023-08-09
2023-06-18
2023-04-14
2023-02-18
2023-04-17
2024-01-11
2023-10-03
2023-09-09
2023-06-13
2023-08-07
2023-03-11
历史内容
快速导航到对应月份的历史文章列表。
随便看看
拉到页底了吧,随便看看还有哪些文章你可能感兴趣。
时光飞逝
"流光容易把人抛,红了樱桃,绿了芭蕉。"