http://www.michael-noll.com/blog/2013/01/18/implementing-real-time-trending-topics-in-storm/
A common pattern in real-time data workflows is performing rolling counts of incoming data points, also known as sliding window analysis. A typical use case for rolling counts is identifying trending topics in a user community – such as on Twitter – where a topic is considered trending when it has been among the top N topics in a given window of time. In this article I will describe how to implement such an algorithm in a distributed and scalable fashion using the Storm real-time data processing platform. The same code can also be used in other areas such as infrastructure and security monitoring.
Update 2014-06-04: I updated several references to point to the latest version of storm-starter, which is now part of the official Storm project.
About Trending Topics and Sliding Windows
First, let me explain what I mean by “trending topics” so that we have a common understanding. Here is an explanation taken from Wikipedia:
Trending topics
A word, phrase or topic that is tagged at a greater rate than other tags is said to be a trending topic. Trending topics become popular either through a concerted effort by users or because of an event that prompts people to talk about one specific topic. These topics help Twitter and their users to understand what is happening in the world.
Wikipedia page on Twitter en.wikipedia.org/wiki/…
In other words, it is a measure of “What’s hot?” in a user community. Typically, you are interested in trending topics for a given time span; for instance, the most popular topics in the past five minutes or the current day. So the question “What’s hot?” is more precisely stated as “What’s hot today?” or “What’s hot this week?”.
In this article we assume we have a system that uses the Twitter API to pull the latest tweets from the live Twitter stream. We assume further that we have a mechanism in place that extracts topical information in the form of words from those tweets. For instance, we could opt to use a simple pattern matching algorithm that treats #hashtags in tweets as topics. Here, we would consider a tweet such as
1
|
|
to “mention” the topics
1 2 |
|
We design our system so that it considers topic A more popular than topic B (for a given time span) if topic A has been mentioned more often in tweets than topic B. This means we only need to count the number of occurrences of topics in tweets.
For the context of this article we do not care how the topics are actually derived from user content or user activities as long as the derived topics are represented as textual words. Then, the Storm topology described in this article will be able to identify in real-time the trending topics in this input data using a time-sensitive rolling count algorithm (rolling counts are also known as sliding windows) coupled with a ranking step. The former aspect takes care of filtering user input by time span, the latter of ranking the most trendy topics at the top the list.
Eventually we want our Storm topology to periodically produce the top N of trending topics similar to the following example output, where t0 to t2 are different points in time:
1 2 3 4 5 6 7 |
|
In this example we can see that over time “scala” has become the hottest trending topic.
Sliding Windows
The last background aspect I want to cover are sliding windows aka rolling counts. A picture is worth a thousand words:
A formula might also be worth a bunch of words – ok, ok, maybe not a full thousand of them – so mathematically speaking we could formalize such a sliding-window sum algorithm as follows:
where t continually advances (most often with time) and m is the window size.
From size to time: If the window is advanced with time, say every N minutes, then the individual elements in the input represent data collected over the same interval of time (here: N minutes). In that case the window size is equivalent to N x m minutes. Simply speaking, if N=1 and m=5, then our sliding window algorithm emits the latest five-minute aggregates every one minute.
Now that we have introduced trending topics and sliding windows we can finally start talking about writing code for Storm that implements all this in practice – large-scale, distributed, in real time.
Before We Start
About storm-starter
The storm-starter project on GitHub provides example implementations of various real-time data processing topologies such as a simple streaming WordCount algorithm. It also includes a Rolling Top Words topology that can be used for computing trending topics, the purpose of which is exactly what I want to cover in this article.
When I began to tackle trending topic analysis with Storm I expected that I could re-use most if not all of the Rolling Top Words code in storm-starter
. But I soon realized that the old code would need some serious redesigning and refactoring before one could actually use it in a real-world environment – including being able to efficiently maintain and augment the code in a team of engineers across release cycles.
In the next section I will briefly summarize the state of the Rolling Top Words topology before and after my refactoring to highlight some important changes and things to consider when writing your own Storm code. Then I will continue with covering the most important aspects of the new implementation in further detail. And of course I contributed the new implementation back to the Storm project.
The Old Code and My Goals for the New Code
My initial reaction to the old code was that, frankly speaking, I had no idea what and how it was doing its job. The various logical responsibilities of the code were mixed together in the existing classes, clearly not abiding by the Single Responsibility Principle. And I am not talking about academic treatments of SRP and such – I was hands-down struggling to wrap my head around the old code because of this.
Also, I noticed a few synchronized
statements and threads being launched manually, hinting at additional parallel operations beyond what the Storm framework natively provides you with. Here, I was particularly concerned with those functionalities that interacted with the system time (calls to System.currentTimeMillis()
). I couldn’t help the feeling that they looked prone to concurrency issues. And my suspicions were eventually confirmed when I discovered a dirty-write bug in the RollingCountObjects
bolt code for the slot-based counting (using long[]
) of object occurrences. In practice this dirty-write bug in the old rolling count implementation caused data corruption, i.e. the code was not carrying out its main responsibility correctly – that of counting objects. That said I’d argue that it would not have been trivial to spot this error in the old code prior to refactoring (where it was eventually plain to see), so please don’t think it was just negligence on the part of the original authors. With the new tick tuple feature in Storm 0.8 I was feeling confident that this part of the code could be significantly simplified and fixed.
In general I figured that completely refactoring the code and untangling these responsibilities would not only make the code more approachable and readable for me and others – after all the storm-starter code’s main purpose is to jumpstart Storm beginners – but it would also allow me to write meaningful unit tests, which would have been very difficult to do with the old code.
The design and implementation that I will describe in the following sections are the result of a number of refactoring iterations. I started with smaller code changes that served me primarily to understand the existing code better (e.g. more meaningful variable names, splitting long methods into smaller logical units). The more I felt comfortable the more I started to introduce substantial changes. Unfortunately the existing code was not accompanied by any unit tests, so while refactoring I was in the dark, risking to break something that I was not even aware of breaking. I considered writing unit tests for the existing code first and then go back to refactoring but I figured that this would not be the best approach given the state of the code and the time I had available.
In summary my goals for the new trending topics implementation were:
- The new code should be clean and easy to understand, both for the benefit of other developers when adapting or maintaining the code and for reasoning about its correctness. Notably, the code should decouple its data structures from the Storm sub-system and, if possible, favor native Storm features for concurrency instead of custom approaches.
- The new code should be covered by meaningful unit tests.
- The new code should be good enough to contribute it back to the Storm project to help its community.
Implementing the Data Structures
Eventually I settled down to the following core data structures for the new distributed Rolling Count algorithm. As you will see, an interesting characteristic is that these data structures are completely decoupled from any Storm internals. Our Storm bolts will make use of them, of course, but there is no dependency in the opposite direction from the data structures to Storm.
- Classes used for counting objects: SlotBasedCounter, SlidingWindowCounter
- Classes used for ranking objects by their count: Rankings, Rankable, RankableObjectWithFields
Another notable improvement is that the new code removes any need and use of concurrency-related code such as synchronized
statements or manually started background threads. Also, none of the data structures are interacting with the system time. Eliminating direct calls to system time and manually started background threads makes the new code much simpler and testable than before.
1 2 3 4 |
|
SlotBasedCounter
The SlotBasedCounter class provides per-slot counts of the occurrences of objects. The number of slots of a given counter instance is fixed. The class provides four public methods:
1 2 3 4 5 |
|
Here is a usage example:
1 2 3 4 5 6 7 8 9 10 11 12 13 |
|
Internally SlotBasedCounter
is backed by a Map<T, long[]>
for the actual count state. You might be surprised to see the low-level long[]
array here – wouldn’t it be better OO style to introduce a new, separate class that is just used for the counting of a single slot, and then we use a couple of these single-slot counters to form the SlotBasedCounter? Well, yes we could. But for performance reasons and for not deviating too far from the old code I decided not to go down this route. Apart from updating the counter – which is a WRITE operation – the most common operation in our use case is a READ operation to get the total counts of tracked objects. Here, we must calculate the sum of an object’s counts across all slots. And for this it is preferable to have the individual data points for an object close to each other (kind of data locality), which the long[]
array allows us to do. Your mileage may vary though.
The SlotBasedCounter
is a primitive class that can be used, for instance, as a building block for implementing sliding window counting of objects. And this is exactly what I will describe in the next section.
SlidingWindowCounter
The SlidingWindowCounter class provides rolling counts of the occurrences of “things”, i.e. a sliding window count for each tracked object. Its counting functionality is based on the previously described SlotBasedCounter
. The size of the sliding window is equivalent to the (fixed) number of slots number of a given SlidingWindowCounter
instance. It is used by RollingCountBolt
for counting incoming data tuples.
The class provides two public methods:
1 2 |
|
What might be surprising to some readers is that this class does not have any notion of time even though “sliding window” normally means a time-based window of some kind. In our case however the window does not advance with time but whenever (and only when) the method getCountsThenAdvanceWindow()
is called. This means SlidingWindowCounter
behaves just like a normal ring buffer in terms of advancing from one window to the next.
If you have not heard about LMAX Disruptor before, make sure to read their LMAX technical paper (PDF) on the LMAX homepage for inspirations. It’s worth the time!
Here is an illustration showing the behavior of SlidingWindowCounter
over multiple iterations:
Rankings and Rankable
The Rankings class represents fixed-size rankings of objects, for instance to implement “Top 10” rankings. It ranks its objects descendingly according to their natural order, i.e. from largest to smallest. This class is used by AbstractRankerBolt
and its derived bolts to track the current rankings of incoming objects over time.
The class provides five public methods:
1 2 3 4 5 |
|
Whenever you update Rankings
with new data, it will discard any elements that are smaller than the updated top N
, where N
is the maximum size of the Rankings
instance (e.g. 10
for a top 10 ranking).
Now the sorting aspect of the ranking is driven by the natural order of the ranked objects. In my specific case, I created a Rankable interface that in turn implements the Comparable interface. In practice, you simply pass a Rankable
object to the Rankings
class, and the latter will update its rankings accordingly.
1 2 3 4 5 |
|
As you can see it is really straight-forward and intuitive in its use.
The concrete class implementing Rankable
is RankableObjectWithFields. The bolt IntermediateRankingsBolt
, for instance, creates Rankables
from incoming data tuples via a factory method of this class:
1 2 3 4 5 |
|
Have a look at Rankings, Rankable and RankableObjectWithFields for details. If you run into a situation where you have to implement classes like these yourself, make sure you follow good engineering practice and add standard methods such as equals()
and hashCode()
as well to your data structures.
Implementing the Rolling Top Words Topology
So where are we? In the sections above we have already discussed a number of Java classes but not even a single one of them has been directly related to Storm. It’s about time that we start writing some Storm code!
In the following sections I will describe the Storm components that make up the Rolling Top Words topology. When reading the sections keep in mind that the “words” in this topology represent the topics that are currently being mentioned by the users in our imaginary system.
Overview of the Topology
The high-level view of the Rolling Top Words topology is shown in the figure below.
The main responsibilities are split as follows:
- In the first layer the topology runs many
TestWordSpout
instances in parallel to simulate the load of incoming data – in our case this would be the names of the topics (represented as words) that are currently being mentioned by our users. - The second layer comprises multiple instances of
RollingCountBolt
, which perform a rolling count of incoming words/topics. - The third layer uses multiple instances of
IntermediateRankingsBolt
(“I.R. Bolt” in the figure) to distribute the load of pre-aggregating the various incoming rolling counts into intermediate rankings. Hadoop users will see a strong similarity here to the functionality of a combiner in Hadoop. - Lastly, there is the final step in the topology. Here, a single instance of
TotalRankingsBolt
aggregates the incoming intermediate rankings into a global, consolidated total ranking. The output of this bolt are the currently trending topics in the system. These trending topics can then be used by downstream data consumers to provide all the cool user-facing and backend features you want to have in your platform.
In code the topology wiring looks as follows in RollingTopWords:
1 2 3 4 5 6 7 |
|
TestWordSpout
The only spout we will be using is the TestWordSpout that is part of backtype.storm.testing
package of Storm itself. I will not cover the spout in detail because it is a trivial class. The only thing it does is to select a random word from a fixed list of five words (“nathan”, “mike”, “jackson”, “golda”, “bertels”) and emit that word to the downstream topology every 100ms. For the sake of this article, we consider these words to be our “topics”, of which we want to identify the trending ones.
The spout’s output can be visualized as follows. Note that the @XXXms
milliseconds timeline is not part of the actual output.
1 2 3 4 5 6 7 8 |
|
Excursus: Tick Tuples in Storm 0.8+
A new and very helpful (read: awesome) feature of Storm 0.8 is the so-called tick tuple. Whenever you want a spout or bolt execute a task at periodic intervals – in other words, you want to trigger an event or activity – using a tick tuple is normally the best practice.
Nathan Marz described tick tuples in the Storm 0.8 announcement as follows:
Tick tuples: It’s common to require a bolt to “do something” at a fixed interval, like flush writes to a database. Many people have been using variants of a ClockSpout to send these ticks. The problem with a ClockSpout is that you can’t internalize the need for ticks within your bolt, so if you forget to set up your bolt correctly within your topology it won’t work correctly. 0.8.0 introduces a new “tick tuple” config that lets you specify the frequency at which you want to receive tick tuples via the “topology.tick.tuple.freq.secs” component-specific config, and then your bolt will receive a tuple from the __system component and __tick stream at that frequency.
Nathan Marz on the Storm mailing list groups.google.com/forum/#!msg/…
Here is how you configure a bolt/spout to receive tick tuples every 10 seconds:
1 2 3 4 5 6 7 |
|
Usually you will want to add a conditional switch to the component’s execute
method to tell tick tuples and “normal” tuples apart:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 |
|
Be aware that tick tuples are sent to bolts/spouts just like “regular” tuples, which means they will be queued behind other tuples that a bolt/spout is about to process via its execute()
or nextTuple()
method, respectively. As such the time interval you configure for tick tuples is, in practice, served on a “best effort” basis. For instance, if a bolt is suffering from high execution latency – e.g. due to being overwhelmed by the incoming rate of regular, non-tick tuples – then you will observe that the periodic activities implemented in the bolt will get triggered later than expected.
I hope that, like me, you can appreciate the elegance of solely using Storm’s existing primitives to implement the new tick tuple feature. :-)
RollingCountBolt
This bolt performs rolling counts of incoming objects, i.e. sliding window based counting. Accordingly it uses the SlidingWindowCounter
class described above to achieve this. In contrast to the old implementation only this bolt (more correctly: the instances of this bolt that run as Storm tasks) is interacting with the SlidingWindowCounter
data structure. Each instance of the bolt has its own private SlidingWindowCounter
field, which eliminates the need for any custom inter-thread communication and synchronization.
The bolt combines the previously described tick tuples (that trigger at fix intervals in time) with the time-agnostic behavior of SlidingWindowCounter
to achieve time-based sliding window counting. Whenever the bolt receives a tick tuple, it will advance the window of its private SlidingWindowCounter
instance and emit its latest rolling counts. In the case of normal tuples it will simply count the object and ack the tuple.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 |
|
That’s all there is to it! The new tick tuples in Storm 0.8 and the cleaned code of the bolt and its collaborators also make the code much more testable (the new code of this bolt has 98% test coverage). Compare the code above to the old implementation of the bolt and decide for yourself which one you’d prefer adapting or maintaining:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 |
|
Unit Test Example
Since I mentioned unit testing a couple of times in the previous section, let me briefly discuss this point in further detail. I implemented the unit tests with TestNG, Mockito and FEST-Assert. Here is an example unit test for RollingCountBolt
, taken from RollingCountBoltTest.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 |
|
AbstractRankerBolt
This abstract bolt provides the basic behavior of bolts that rank objects according to their natural order. It uses the template method design pattern for its execute()
method to allow actual bolt implementations to specify how incoming tuples are processed, i.e. how the objects embedded within those tuples are retrieved and counted.
This bolt has a private Rankings
field to rank incoming tuples (those must contain Rankable
objects, of course) according to their natural order.
1 2 3 4 5 6 7 8 9 10 11 12 13 |
|
The two actual implementations used in the Rolling Top Words topology, IntermediateRankingsBolt
and TotalRankingsBolt
, only need to implement the updateRankingsWithTuple()
method.
IntermediateRankingsBolt
This bolt extends AbstractRankerBolt
and ranks incoming objects by their count in order to produce intermediate rankings. This type of aggregation is similar to the functionality of a combiner in Hadoop. The topology runs many of such intermediate ranking bolts in parallel to distribute the load of processing the incoming rolling counts from the RollingCountBolt
instances.
This bolt only needs to override updateRankingsWithTuple()
of AbstractRankerBolt
:
1 2 3 4 5 |
|
TotalRankingsBolt
This bolt extends AbstractRankerBolt
and merges incoming intermediate Rankings
emitted by the IntermediateRankingsBolt
instances.
Like IntermediateRankingsBolt
, this bolt only needs to override the updateRankingsWithTuple()
method:
1 2 3 4 5 |
|
Since this bolt is responsible for creating a global, consolidated ranking of currently trending topics, the topology must run only a single instance of TotalRankingsBolt
. In other words, it must be a singleton in the topology.
The bolt’s current code in storm-starter
does not enforce this behavior though – instead it relies on the RollingTopWords
class to configure the bolt’s parallelism correctly (if you ask yourself why it doesn’t: that was simply oversight on my part, oops). If you want to improve that, you can provide a so-called per-component Storm configuration for this bolt that sets its maximum task parallelism to 1:
1 2 3 4 5 6 7 8 |
|
RollingTopWords
The class RollingTopWords ties all the previously discussed code pieces together. It implements the actual Storm topology, configures spouts and bolts, wires them together and launches the topology in local mode (Storm’s local mode is similar to a pseudo-distributed, single-node Hadoop cluster).
By default, it will produce the top 5 rolling words (our trending topics) and run for one minute before terminating. If you want to twiddle with the topology’s configuration settings, here are the most important:
- Configure the number of generated trending topics by setting the
TOP_N
constant inRollingTopWords
. - Configure the length and emit frequencies (both in seconds) for the sliding window counting in the constructor of
RollingCountBolt
inRollingTopWords#wireTopology()
. - Similarly, configure the emit frequencies (in seconds) of the ranking bolts by using their corresponding constructors.
- Configure the parallelism of the topology by setting the
parallelism_hint
parameter of each bolt and spout accordingly.
Apart from this there is nothing special about this class. And because we have already seen the most important code snippet from this class in the section Overview of the Topology I will not describe it any further here.
Running the Rolling Top Words topology
Update 2014-06-04: I updated the instructions below based on the latest version of storm-starter, which is now part of the official Storm project.
Now that you know how the trending topics Storm code works it is about time we actually launch the topology! The topology is configured to run in local mode, which means you can just grab the code to your development box and launch it right away. You do not need any special Storm cluster installation or similar setup.
First you must checkout the latest code of the storm-starter project from GitHub:
1 2 |
|
Then you must build and install the (latest) Storm jars locally, see the storm-starter README:
1 2 |
|
Now you can compile and run the RollingTopWords topology:
1 2 |
|
By default the topology will run for one minute and then terminate automatically.
Example Logging Output
Here is some example logging output of the topology. The first colum is the current time in milliseconds since the topology was started (i.e. it is 0
at the very beginning). The second colum is the ID of the thread that logged the message. I deliberately removed some entries in the log flow to make the output easier to read. For this reason please take a close look on the timestamps (first column) when you want to compare the various example outputs below.
Also, the Rolling Top Words topology has debugging output enabled. This means that Storm itself will by default log information such as what data a bolt/spout has emitted. For that reason you will see seemingly duplicate lines in the logs below.
Lastly, to make the logging output easier to read here is some information about the various thread IDs in this example run:
Thread-37 | TestWordSpout |
Thread-39 | TestWordSpout |
Thread-19 | RollingCountBolt |
Thread-21 | RollingCountBolt |
Thread-25 | RollingCountBolt |
Thread-31 | IntermediateRankingsBolt |
Thread-33 | IntermediateRankingsBolt |
Thread-27 | TotalRankingsBolt |
The topology has just started to run. The spouts generate their first output messages:
1 2 3 4 5 6 |
|
The three RollingCountBolt instances start to emit their first sliding window counts:
1 2 3 4 5 6 7 8 9 |
|
The two IntermediateRankingsBolt
instances emit their intermediate rankings:
1 2 3 4 |
|
The single TotalRankingsBolt
instance emits its global rankings:
1 2 3 4 5 6 |
|
What I Did Not Cover
I introduced a new feature to the Rolling Top Words code that I contributed back to storm-starter
. This feature is a metric that tracks the difference between the configured length of the sliding window (in seconds) and the actual window length as seen in the emitted output data.
1
|
|
This metric provides downstream data consumers with additional meta data, namely the time range that a data tuple actually covers. It is a nifty addition that will make the life of your fellow data scientists easier. Typically, you will see a difference between configured and actual window length a) during startup for the reasons mentioned above and b) when your machines are under high load and therefore not respond perfectly in time. I omitted the discussion of this new feature to prevent this article from getting too long.
Also, there are some minor changes in my own code that I did not contribute back to storm-starter
because I did not want to introduce too many changes at once (such as a refactored TestWordSpout
class).
Summary
In this article I described how to implement a distributed, real-time trending topics algorithm in Storm. It uses the latest features available in Storm 0.8 (namely tick tuples) and should be a good starting point for anyone trying to implement such an algorithm for their own application. The new code is now available in the official storm-starter repository, so feel free to take a closer look.
You might ask whether there is a use of a distributed sliding window analysis beyond the use case I presented in this article. And for sure there is. The sliding window analysis described here applies to a broader range of problems than computing trending topics. Another typical area of application is real-time infrastructure monitoring, for instance to identify broken servers by detecting a surge of errors originating from problematic machines. A similar use case is identifying attacks against your technical infrastructure, notably flood-type DDoS attacks. All of these scenarios can benefit from sliding window analyses of incoming real-time data through tools such as Storm.
If you think the starter code can be improved further, please contribute your changes back to the storm-starter component in the official Storm project.
Related Links
相关推荐
DSP for Embedded and Real-Time Systems is the reference for both the beginner and experienced, covering most aspects of using today’s DSP techniques and technologies for designing and implementing an...
“Implementing Domain-Specific Languages with Xtext and Xtend” will teach you how to develop a DSL with Xtext, an Eclipse framework for implementing domain-specific languages. The chapters are like ...
Implementing Domain-Driven Design 英文epub 本资源转载自网络,如有侵权,请联系上传者或csdn删除 查看此书详细信息请在美国亚马逊官网搜索此书
With Implementing Domain-Driven Design, Vaughn has made an important contribution not only to the literature of the Domain-Driven Design community, but also to the literature of the broader enterprise...
Implementing Domain-Driven Design
[Microsoft.SharePoint.2010:Creating.and.Implementing.Real-World.Projects(2012.3)].Jennifer.Mason.文字版
The book starts with an introduction to Microsoft Dynamics NAV architecture and then moves on to advanced topics related to implementing real-world solutions based on NAV and external applications....
Passing this exam earns you credit toward a Microsoft Certified Solutions Associate (MCSA) certification that demonstrates your mastery of essential skills for building and implementing on-premises ...
《Implementing CIFS》这本书是关于实施Common Internet File System (CIFS)协议的权威指南,CIFS是一种广泛使用的网络文件共享协议,特别是在Windows环境中。该书深入探讨了CIFS的各个方面,包括其工作原理、配置、...
### 实施基于Web服务与SAP NetWeaver PI 7.1的分布式两阶段提交方案 #### 概述 本文档介绍了如何在SAP NetWeaver Process Integration (PI) 7.1版本中实现分布式两阶段提交(Two-Phase Commit, TPC)场景。...
By the end of the book, you will have a solid foundation in implementing components in the Spark framework in Java to build fast, real-time applications. What you will learn Process data using ...
Title: WebSocket Essentials: Building Apps with ...Starting with the basics of HTML5, you will work your way through the process of implementing different applications using WebSockets and ...
Implementing Domain Specific Languages with Xtext and Xtend(2nd) 英文epub 第2版 本资源转载自网络,如有侵权,请联系上传者或csdn删除 本资源转载自网络,如有侵权,请联系上传者或csdn删除
文档《Implementing CIFS - The Common Internet File System》详细介绍了CIFS协议的概念、架构以及实施方法。该文档以非印刷版的形式呈现,由多个分片的PDF文件组成一个完整的文档,提供了对CIFS/SMB协议的全面分析...
本项目"Implementing-a-Database-for-Managing-Access-Control-main"旨在提供一个数据库解决方案,用于高效且安全地管理访问控制。 一、数据库设计 创建一个有效的数据库来管理访问控制,首先要考虑数据模型的设计...
Chapter V-2: Implementing a GPU-Only Particle-Collision System with ASTC 3D Textures and OpenGL ES 3.0 Chapter V-3: Animated Characters with Shell Fur for Mobile Devices Chapter V-4: High Dynamic ...
* Implementing a user-friendly interface that reduces keystrokes and improves system response time * Utilizing advanced technologies such as Internet/intranet and client/server architecture * Ensuring...
### Spark for Python: A Comprehensive Guide to Implementing Big Data Analytics In the realm of big data processing and analytics, Apache Spark has emerged as one of the most powerful tools. Its ...