Abstract

Particle swarm optimization (PSO) is a heuristic global optimization method, proposed originally by Kennedy and Eberhart in 1995. It is now one of the most commonly used optimization techniques. This survey presented a comprehensive investigation of PSO. On one hand, we provided advances with PSO, including its modifications (including quantum-behaved PSO, bare-bones PSO, chaotic PSO, and fuzzy PSO), population topology (as fully connected, von Neumann, ring, star, random, etc.), hybridization (with genetic algorithm, simulated annealing, Tabu search, artificial immune system, ant colony algorithm, artificial bee colony, differential evolution, harmonic search, and biogeography-based optimization), extensions (to multiobjective, constrained, discrete, and binary optimization), theoretical analysis (parameter selection and tuning, and convergence analysis), and parallel implementation (in multicore, multiprocessor, GPU, and cloud computing forms). On the other hand, we offered a survey on applications of PSO to the following eight fields: electrical and electronic engineering, automation control systems, communication theory, operations research, mechanical engineering, fuel and energy, medicine, chemistry, and biology. It is hoped that this survey would be beneficial for the researchers studying PSO algorithms.

1. Introduction

Artificial intelligence (AI) is the intelligence exhibited by machines. It is defined as “the study and design of intelligent agents” [1], where an intelligent agent represents a system that perceives its environment and takes action that maximizes its success chance. AI research is highly technical and specialized and is deeply divided into subfields that often fail to communicate with each other. Currently popular approaches of AI include traditional statistical methods [2], traditional symbolic AI, and computational intelligence (CI) [3]. CI is a fairly new research area. It is a set of nature-inspired computational methodologies and approaches to address complex real-world problems to which traditional approaches are ineffective or infeasible. CI includes artificial neural network (ANN), fuzzy logic, and evolutionary computation (EC).

Swarm intelligence (SI) is a part of EC. It researches the collective behavior of decentralized, self-organized systems, natural or artificial. Typical SI systems consist of a population of simple agents or boids interacting locally with one another and with their environment. The inspiration often comes from nature, especially biological systems [4].

The agents in a SI system follow very simple rules. There is no centralized control structure dictating how individual agents should behave. The agents’ real behaviors are local, and to a certain degree random; however, interactions between such agents lead to the emergence of “intelligent” global behavior, which is unknown to the individual agents. Well-known examples of SI include ant colonies, bird flocking, animal herding, bacterial growth, and fish schooling.

Dorigo [5] proposed an ant colony optimization (ACO) method based on ant colony. Kennedy and Eberhart [6] proposed a particle swarm optimization (PSO) method based on bird flocking. Those are two most famous SI-based optimization algorithms. In addition to them, scholars have shown great interest in proposing new intelligent approaches. Storn and Price [7] proposed a differential evolution (DE). Müller et al. [8] and Passino [9] proposed the bacterial foraging optimization (BFO), inspired by the group foraging behavior of bacteria such as E. coli and M. xanthus. Karaboga and Basturk [10] proposed artificial bee colony (ABC), which simulates the foraging behavior of honey bees. Krishnanand and Ghose [11] proposed glowworm swarm optimization (GSO) method, the agents in which are thought of as glowworms that carry a luminescence quantity called luciferin along with them. Yang [12] proposed a bat algorithm (BA), inspired by the echolocation behavior of microbats.

The distribution of all publications and publication per year w.r.t. SI-based algorithms is presented in Figures 1 and 2, respectively. As seen from the figures, the number of total publications related to PSO is even higher than the sum of six other algorithms, and the number of publication per year related to PSO is the highest among all seven SI-based algorithms. This suggests PSO is the most prevalent SI-based optimization algorithms. Therefore, we center this review on PSO.

Several public websites related to PSO (Table 1) were set up [13], dedicated to share the codes, ideas, and latest advances on PSO. There are several types of source codes, written in different programming languages, in those websites. In addition, many publications about PSO and its applications were presented.

This work first checked the coherency of PSO with principles required by SI. Second, we reviewed the studies on advances of PSO. Third, various applications of PSO is given. Finally, we conclude the paper by summarizing the improvements and analyzing potential research directions. This survey was carried out mainly by examining the “Web of Science Core Collection” database. In addition, IEEE Explorer and Google Scholar were also used.

2. Particle Swarm Optimization: PSO Approach

2.1. Features of Self-Organization

Self-organization is a key feature of SI system. It is a process where global order or coordination arises out of the local interactions between the components of an initially disordered system. This process is spontaneous; that is, it is not controlled by any agent inside or outside of the system. Bonabeau et al. [14] interpreted the self-organization in swarms through three basic ingredients as follows.(1)Strong dynamical nonlinearity (often involving positive and negative feedback): positive feedback helps promote the creation of convenient structures, while negative feedback counterbalances positive feedback and helps to stabilize the collective pattern.(2)Balance of exploitation and exploration: SI identifies a suitable balance to provide a valuable mean artificial creativity approach.(3)Multiple interactions: agents in the swarm use information coming from neighbor agents so that the information spreads throughout the network.

2.2. Features of SI

In addition, Millonas [15] in Santa Fe Institute proposed five principles that SI must satisfy. They are proximity principle, quality principle, diverse response principle, stability principle, and adaptability principle. Their meanings are listed in Table 2.

2.3. Algorithmic Structure of Standard PSO

PSO performs searching via a swarm of particles that updates from iteration to iteration. To seek the optimal solution, each particle moves in the direction to its previously best (pbest) position and the global best (gbest) position in the swarm [16]. One haswhere denotes the particle index, the total number of particles, the current iteration number, the fitness function, and the position. The velocity and position of particles are updated by the following equations:where denotes the velocity, is the inertia weight used to balance the global exploration and local exploitation, and are uniformly distributed random variables within range , and and are positive constant parameters called “acceleration coefficients.”

It is common to set an upper bound for the velocity parameter. “Velocity clamping” [17] was used as a way to limit particles flying out of the search space. Another method is the “constriction coefficient” strategy, proposed by Clerc and Kennedy [18], as an outcome of a theoretical analysis of swarm dynamic, in which the velocities are constricted too.

The first part of formula (2), known as “inertia,” represents the previous velocity, which provides the necessary momentum for particles to roam across the search space. The second part, known as the “cognitive” component, represents the individual particle thinking of each particle. It encourages the particles to move toward their own best positions found so far. The third part, the “cooperation” component, represents the collaborative effect of the particles to find the global optimal solution [19].

2.4. Pseudocode of PSO

Let be the cost function to be minimized. The function takes a candidate solution of a vector of real numbers and produces a real number as output that indicates the cost function value. The gradient of is either unknown or hard to calculate. The goal is to find the global minimal (Pseudocode 1).

Step  1. Initialization
 For each particle , do
   (a) Initialize the particle’s position with a uniformly distribution as (0)~U(LB, UB), where LB and UB represent the lower
   and upper bounds of the search space
   (b) Initialize to its initial position: .
   (c) Initialize to the minimal value of the swarm: .
   (d) Initialize velocity: .
Step  2. Repeat until a termination criteria is met
 For each particle , do
   (a) Pick random numbers: .
   (b) Update particle’s velocity. See formula (2).
   (c) Update particle’s position. See formula (3).
   (d) If , do
    (i) Update the best known position of particle : .
    (ii) If , update the swarm’s best known position: .
   (e) ;
Step  3. Output that holds the best found solution.

3. Studies on PSO

In this review, we center in reporting the advances on PSO in the form of formal publications. We divide advances into following six aspects:(i)modifications of PSO, including quantum-behaved PSO, bare-bones PSO, chaotic PSO, fuzzy PSO, PSOTVAC, opposition-based PSO, topology, and other slight modifications,(ii)hybridization of PSO with other metaheuristic methods, including genetic algorithm (GA), artificial immune system (AIS), Tabu search (TS), ACO, simulated annealing (SA), ABC, DE, biogeography-based optimization (BBO), and harmonic search (HS),(iii)extensions of PSO to other optimization fields, including multiobjective, constrained, discrete, and binary optimization,(iv)theoretical analysis of PSO, parameter selection and convergence analysis.(v)parallel implementation of PSO, including multicore, GPU computing, and cloud computing.

3.1. Modifications
3.1.1. QPSO

Some researchers proposed quantum-behaved PSO (QPSO), which was motivated by concepts from quantum mechanics. For example, Jau et al. [20] proposed a modified QPSO, which used a high breakdown regression estimator and a least-trimmed-squares method to eliminate the influence caused by observations containing outliers. Besides, elitist crossover of GA and adaptive decay of SA are used for conquering premature and controlling search policy. Jamalipour et al. [21] presented QPSO with differential mutation operator (QPSO-DM) for optimizing WWER-1000 core fuel management. The results showed that QPSO-DM performs better than the others. Bagheri et al. [22] used QPSO to forecast financial time series, especially for the foreign exchange market. Tang et al. [23] proposed an improved QPSO algorithm for continuous nonlinear large-scale problems based on memetic algorithm and memory mechanism. The memetic algorithm was used to make all particles gain some experience through a local search before being involved in the evolutionary process, and the memory mechanism was used to introduce a “bird kingdom” with memory capacity, both of which can improve the global search ability of the algorithm. Davoodi et al. [24] proposed a new approach, based on a hybrid algorithm combining of improved QPSO and simplex algorithms. QPSO was the main optimizer of algorithm, which can give a good direction to the optimal global region. Nelder-Mead simplex method was used as a local search to fine-tune the obtained solution from QPSO. Li and Xiao [25] proposed an encoding approach based on qubits described on the Bloch sphere. Each particle contained three groups of Bloch coordinates of qubits, and all three groups of coordinates were regarded as approximate solutions describing the optimization result. Particles were updated using the rotation of qubits about an axis on the Bloch sphere. Yumin and Li [26] integrated artificial fish swarm to QPSO and used adaptive parameters to avoid premature. Jia et al. [27] proposed an enhanced QPSO based on GA to realize a synchronous optimization of sensor array and classifier. Gholizadeh and Moghadas [28] proposed an improved QPSO metaheuristic algorithm to implement performance-based optimum design process. Two numerical examples were presented to illustrate the efficiency of the presented method.

3.1.2. BBPSO

The bare-bones PSO (BBPSO) [29] is a version of the PSO algorithm in which the velocity and position update rules are substituted by a procedure that samples a parametric probability density function. Zhang et al. [30] used both mutation and crossover operators of DE algorithm to modify original BBPSO in order to update certain particles in the population. The performance of the resulting algorithm was tested on 10 benchmark functions and applied to 16 vapor-liquid equilibrium problems. Zhang et al. [31] analyzed the sampling distribution in BBPSO, based on which they propose an adaptive version inspired by the cloud model, which adaptively produced a different standard deviation of the Gaussian sampling for each particle according to the evolutionary state in the swarm, which provided an adaptive balance between exploitation and exploration on different objective functions. Zhang et al. [32] proposed three global optimization algorithms for phase and chemical equilibrium calculations, which played a significant role in the simulation, design, and optimization of separation processes in chemical engineering. The proposed algorithms were unified BBPSO (UBBPSO), integrated DE (IDE), and IDE without Tabu list and radius (IDE_N). Zhang et al. [33] proposed a new bare-bones multiobjective PSO algorithm to solve the environmental/EDPs. The algorithm had three distinctive features: a particle updating strategy that did not require tuning up control parameters, a mutation operator with action range varying over time to expand the search capability, and an approach based on particle diversity to update the global particle leaders. Blackwell [34] formulated the dynamic update rule of PSO as a second-order stochastic difference equation. General relations were derived for search focus, search spread, and swarm stability at stagnation. The relations were applied to three particular PSO implementations: the standard PSO, a PSO with discrete recombination, and the BBPSO. Wang et al. [35] proposed a novel hybrid algorithm, called SM-MBBPSO, based on the Nelder-Mead simplex method (SM) and a modified BBPSO (MBBPSO). A new strategy based on -means clustering was proposed to combine the powerful global search capability of MBBPSO and the high accurate local search capability of SM. This made the proposed algorithm achieve a nice balance between exploitation and exploration capability. Meanwhile, an adaptive reinitialization strategy on inactive particles was proposed to help the swarm get away from local optimal positions. Jiang and Wang [36] used cooperative coevolution (CC) to improve the performance of PSO on clustering high-dimensional datasets. Based on CC framework, the original partitional clustering problem was first decomposed to several subproblems, each of which was then evolved by an optimizer independently. BBPSO was employed as the optimizer to solve each subproblem cooperatively. In addition, a new centroid-based encoding schema was designed for each particle, and the Chernoff bounds were applied to decide a proper population size. Liu et al. [37] proposed a novel disruption strategy, originating from astrophysics, to shift the abilities between exploration and exploitation during the search process, with the aim of enhancing population diversity and speeding up convergence rate of BBPSO. They researched the distribution and diversity on the proposed disruption operator and illustrated the position relationship between the original and disrupted position. Campos et al. [38] proposed a variant of BBPSO with scale matrix adaptation (SMA), SMA-BBPSO for short reference, to address the drawback of premature convergence and improve the performance of the BBPSO. The position of a particle was selected from a multivariate -distribution with a rule for adaptation of its scale matrix. The multivariate -distribution was used in its hierarchical form, as a scale mixture of normal distributions. In addition, the approach included the normal distribution as a particular case. As a consequence, the -distribution could be applied during the optimization process by maintaining the proper balance between exploration and exploitation. Zhang et al. [39] proposed a binary BBPSO to find optimal feature subset, which was a useful preprocessing technique for solving classification problems. In this algorithm, a reinforced memory strategy was designed to update the local leaders of particles for avoiding the degradation of outstanding genes in the particles, and a uniform combination was proposed to balance the local exploitation and the global exploration of algorithm.

3.1.3. CPSO

Concepts related to chaos theory have been integrated with PSO to improve its performance. This type of PSO variant is called chaotic PSO (CPSO). Chuang et al. [40] introduced chaotic maps into catfish particle swarm optimization. The proposed method increased the search capability via the chaos approach. Zhang and Wu [41] proposed adaptive CPSO (ACPSO) to train the weights/biases of two-hidden-layer forward neural network in order to develop a hybrid crop classifier for polarimetric synthetic aperture radar images. Dai et al. [42] proposed a novel adaptive chaotic embedded PSO (ACEPSO) and applied it in wavelet parameters estimation. ACEPSO embedded chaotic variables in standard PSO and adjusted parameters nonlinearly and adaptively. It also estimated particles whether being focusing or discrete by judging the population fitness variance of particle swarm and average distance amongst points; then chaotic researching was applied to escaping from premature convergence. Li et al. [43] proposed a novel chaotic particle swarm fuzzy clustering (CPSFC) algorithm based on a new CPSO and gradient method. The new CPSO algorithm is the combination of adaptive inertia weight factor (AIWF) and iterative chaotic map with infinite collapses (ICMIC) based chaotic local search. The CPSFC algorithm utilized CPSO to search the fuzzy clustering model, exploiting the searching capability of fuzzy c-means (FCM) and avoiding its major limitation of getting stuck at locally optimal values. Meanwhile, gradient operator is adopted to accelerate convergence of the proposed algorithm. Wu et al. [44] proposed a novel support vector regression machine (SVRM) and then developed a CPSO to estimate its unknown parameters. The results of two experiments demonstrate the feasibility of this approach. Zhang et al. [45] proposed a fitness-scaling adaptive chaotic PSO (FAC-PSO) approach as a fast and robust approach for the task of path planning of unmanned combat aerial vehicle (UCAV). The FAC-PSO employed the fitness-scaling method, the adaptive parameter mechanism, and the chaotic theory. Experiments showed that the FAC-PSO was more robust and cost less time than elite GA with migration, SA, and chaotic ABC. Zhang et al. [46] combined CPSO with K2 algorithm and applied the method to Bayesian network structure learning. Yang et al. [47] applied PSO with double-bottom chaotic maps (DBM-PSO) in order to assist statistical methods in the analysis of associated variations to disease susceptibility. Analysis results supported that the proposed DBM-PSO could identify good models and provided higher chi-square values than conventional PSO. Son [48] used CPSO to optimize municipal solid waste collection in GIS based environments and took Danang city, Vietnam, as a case study. He et al. [49] proposed a novel hybrid model combining ANN and CPSO to improve forecast accuracy. The proposed model was found to perform better for fine particles than for coarse particles. Zeng and Sun [50] combined classical PSO with a chaotic mechanism, time-variant acceleration coefficients, and a self-adaptive mutation scheme to prevent premature convergence and improve solution quality. Multiple efficient constraint handling strategies were employed to deal with complex constraints. Pluhacek et al. [51] utilized different chaotic systems as pseudorandom number generators (PRNGs) for velocity calculation in the PSO algorithm. Two chaos-based PRNGs were used alternately within one run of the PSO algorithm and dynamically switched over when a certain criterion was met.

3.1.4. FPSO

In order to make PSO more powerful, it was combined with fuzzy sets theory. This type of PSO variant is called fuzzy PSO (FPSO). Juang et al. [52] proposed an adaptive FPSO (AFPSO) algorithm. The proposed AFPSO utilized fuzzy set theory to adjust PSO acceleration coefficients adaptively and was thereby able to improve the accuracy and efficiency of searches. Incorporating this algorithm with quadratic interpolation and crossover operator further enhanced the global searching capability to form a new variant called AFPSO-Q1. Alfi and Fateh [53] presented a novel improved FPSO (IFPSO) algorithm to the intelligent identification and control of a dynamic system. The proposed algorithm estimated optimally the parameters of system and controller by minimizing the mean of squared errors. The PSO was enhanced intelligently by using a fuzzy inertia weight to rationally balance the global and local exploitation abilities. Every particle dynamically adjusted inertia weight according to particles best memories using a nonlinear fuzzy model. Yang et al. [54] proposed a novel FPSO algorithm based on fuzzy velocity updating strategy in order to optimize the machining parameters. The proposed FPSO algorithm achieved good results on few benchmark problems and obtained significant improvements on two illustrative case studies of multipass face milling. Norouzzadeh et al. [55] proposed a light adaptive PSO, which was a novel method that used a fuzzy control system to conduct the standard algorithm. The suggested method used two adjunct operators along with the fuzzy system in order to improve the base algorithm on global optimization problems. Robati et al. [56] studied an extension of PSO algorithm, the balanced fuzzy PSO algorithm, which was used for fundamental optimization problem entitled traveling salesman problem (TSP). Khan and Engelbrecht [57] presented a multiobjective PSO to efficiently solve the distributed local area networks (DLAN) topology design problem. Fuzzy logic was incorporated in the PSO algorithm to handle the multiobjective nature of the problem. Unified “And-Or” operator was used to aggregate the objectives. Results suggest that the fuzzy PSO is a suitable algorithm for solving the DLAN topology design problem. Galzina et al. [58] described the application of a hybrid of fuzzy logic and PSO in order to achieve suboptimal solutions for flow-shop scheduling problem. They named the proposed method adaptive fuzzy PSO. Nafar et al. [59] proposed a combination of FPSO and ACO method to estimate the parameters of Metal Oxide Surge Arrester (MOSA) models. The proposed method was named modified FPSO (MFPSO). The inertia weight was tuned by using fuzzy rules. Aminian and Teshnehlab [60] introduced a novel FPSO method in which the inertia weight as well as the cognitive and social coefficients was adjusted for each particle separately according to the information coming from a fuzzy logic controller. Chai et al. [61] used Hilbert-Huang transform for the features extractor and FPSO with cross mutated-based ANN (FPSOCM-ANN), for the classification of a three-class mental task-based brain-computer interface (BCI).

3.1.5. PSOTVAC

PSO with time-varying acceleration coefficients (TVAC) was proposed to further improve the performance of standard PSO. The new variant was termed PSOTVAC. Cai et al. [62] considered linear automation strategy may not work well in many cases. Therefore, a new variant, predicted modified PSO with time-varying accelerator coefficients, was proposed, in which the social and cognitive learning factors were adjusted according to a predefined predicted velocity index. The mechanism lied in that the large cognitive coefficient provided a large local search capability, whereas the small one employed a large global search capability. Chaturvedi et al. [63] employed PSOTVAC to solve the practical economic dispatch problem (EDP). TVAC here was to efficiently control the local and global search so that premature convergence was avoided and global solutions were achieved. Boonyaritdachochai et al. [64] proposed an optimal congestion management approach in a deregulated electricity market using PSOTVAC. Initially, the values of generator sensitivity were used to select redispatched generators. PSOTVAC was used to determine the minimum redispatch cost. Sun et al. [65] presented a comparative analysis of PSO, self-organizing hierarchical PSO (HPSO), and self-organizing hierarchical PSO with time-varying acceleration coefficients (HPSO-TVAC) for data clustering. They found that the HPSO and the HPSO-TVAC algorithms had better performance than the PSO algorithm in most cases, and all the clustering algorithms using PSO had good performance for large-scale data and high-dimensional data, over six well-known benchmarks. Abedinia et al. [66] presented an efficient approach for solving economic load dispatch (ELD) problems in different test power systems using PSOTVAC. Accordingly, for practical operation, many realistic constraints as ramp rate limits, generation limitation, prohibited operating zone, transmission loss, and nonlinear cost functions were considered. Mohammadi-Ivatloo et al. [67] presented a novel heuristic algorithm for solving EDP by employing iteration PSO with time-varying acceleration coefficients (IPSO-TVAC) method. EDP may even be more complicated if transmission losses were taken into account. Numerical results showed that the IPSO-TVAC method had a good convergence property. Mohammadi-Ivatloo et al. [68] implemented a novel time-varying acceleration coefficients PSO (TVAC-PSO) algorithm to solve combined heat and power ED (CHPED). The acceleration coefficients in PSO algorithm were varied adaptively during iterations to improve solution quality of original PSO and avoid premature convergence. Pookpunt and Ongsakul [69] proposed a binary PSO (BPSO) with TVAC for solving optimal placement of wind turbines within a wind farm. The objective was to extract the maximum turbine power output in a minimum investment cost within a wind farm. The BPSO-TVAC algorithm was applied to 100-square-cell test site considering uniform wind and nonuniform wind speed with variable direction characteristics. Linear wake model was used to calculate downstream wind speed. Abedinia et al. [70] presented a hybrid PSO with time-varying acceleration coefficients (HPSOTVAC) and bacteria foraging algorithm (BFA) for solving a complex ELD problem. The effectiveness of the proposed HPSOTVAC/BFA was tested in 6-, 15-, and 40-unit generating systems. Abdullah et al. [71] proposed a modified PSO with TVAC (MPSO-TVAC) for solving ELD problem. To improve the solution quality and robustness of PSO algorithm, a new best neighbor particle called “rbest” was proposed. The rbest provided extra information for each particle that was randomly selected from other best particles in order to diversify the movement of particle and avoid premature convergence. Chih et al. [72] adapted standard PSO and proposed two novel PSO algorithms, namely, the binary PSO with TVAC (BPSOTVAC) and the chaotic binary PSO with TVAC (CBPSOTVAC), to solve the multidimensional knapsack problem (MKP). The results showed that the proposed algorithms were superior over the other methods according to success rate, mean absolute deviation, mean absolute percentage error, least error, and standard deviation.

3.1.6. OPSO

Opposition-based learning (OBL) theory was integrated with PSO, and the new variant was dubbed opposition-based PSO (OPSO). Dhahri and Alimi [73] proposed the OPSO using the concept of opposite number to create a new population during the learning process. They combined OPSO with BBFNN. The results showed that the OPSO-BBFNN produced a better generalization performance. Wang et al. [74] presented an enhanced PSO algorithm called GOPSO, which employed generalized OBL (GOBL) and Cauchy mutation. GOBL provided a faster convergence and the Cauchy mutation with a long tail helped trapped particles escape from local optima. Dong et al. [75] proposed an evolutionary circle detection method based on a novel chaotic hybrid algorithm (CHA). The method combined the strengths of PSO, GA, and chaotic dynamics and involved the standard velocity and position update rules of PSOs, with the ideas of selection, crossover, and mutation from GA. The OBL was employed in CHA for population initialization. In addition, the notion of species was introduced into the proposed CHA to enhance its performance in solving multimodal problems. Gao et al. [76] proposed a novel PSO called CSPSO to improve the performance of PSO on complex multimodal problems. Specifically, a stochastic search technique was used to execute the exploration in PSO. In addition, to enhance the global convergence, when producing the initial population, both opposition-based learning method and chaotic maps were employed. The numerical simulation and comparisons with some typical existing algorithms demonstrated the superiority of the proposed algorithm. Khan et al. [77] presented a new discrete PSO approach to induce rules from discrete data. The proposed algorithm, called Opposition-Based Natural Discrete PSO (ONDPSO), initialized its population by taking into account the discrete nature of the data. Particles were encoded using a Natural Encoding scheme. Each member of the population updated its position iteratively based on a newly designed position update rule. OBL was implemented in the optimization process. The encoding scheme and position update rule used by the algorithm allowed individual terms corresponding to different attributes within the rule’s antecedent to be a disjunction of the values of those attributes. Kaucic [78] presented a multistart PSO algorithm for the global optimization of a function subject to bound constraints. The procedure consisted of three main steps. In the initialization phase, an OBL strategy was performed to improve the search efficiency. Then a variant of the adaptive velocity based on the differential operator enhanced the optimization ability of the particles. Finally, a reinitialization strategy based on two diversity measures for the swarm was acted in order to avoid premature convergence and stagnation. Dai et al. [79] established a mathematical model to study the motions of ships in order to control them effectively. They proposed an algorithm based on PSO and the OBL theory, known as the opposition-based particle swarm optimization (OPSO). Muñoz et al. [80] described how adequate hardware implementations of the PSO algorithm can be useful for real-time adaptation of mobile robot controllers. For achieving this goal, they proposed a new architecture, which was based on an FPGA implementation of the OBL approach applied to the PSO and which explored the intrinsic parallelism of this algorithm in order to adjust the weights of a neural robot controller in real time according to desired behaviors.

3.1.7. SPSO

In contrast, some researchers objected to those researches that made PSO more and more complex, and they tended to simplify standard PSO without impairing its performance, with the aim of reducing computation time, improving convergence performance, or making it easier to implement. For example, Guochu [81] divided the swarm into three categories denoted as better particles, ordinary particles, and the worst particles, according to the fitness values. These three types of particles evolved dynamically according to three corresponding kinds of simplified algorithm models. The results showed that simplified PSO (SPSO) had better optimization performance than other improved PSOs. Pedersen and Chipperfield [82] simplified PSO method in order to increase its adaptability and used an overlaid metaoptimizer for efficiently tuning behavior parameters. The simplified version was dubbed Many Optimizing Liaisons (MOL). Experiments showed that MOL had comparable performance with PSO. Martins et al. [83] proposed a simplified PSO, which allowed saving some computational effort and obtained a considerable performance in the optimization of nonlinear functions. The method was tested by four nonlinear benchmark functions: Sphere, Schwefel, Schaffer, and Ackley. Panda et al. [84] presented the design and performance analysis of proportional-integral derivate (PID) controller for an automatic voltage regulator system using MOL. The superiority of MOL was shown by comparing the results with ABC, PSO, and DE. Vastrakar and Padhy [85] proposed a simplified PSO with proportional-integral proportional-derivative (PI-PD) controller for unstable processes. Complete search space was divided into small subsearch spaces. In each subspace, they calculated the global minima and local minima and took the minimum of all, that is, minimum of complete search space. Yeh [86] proposed a parameter-free simplified swarm optimization to adjust the weights in ANNs.

3.1.8. Topology

The premature of PSO can be avoided by not using the entire swarm’s best known position gbest but just the best position of the local area around the particle that is moved. In such case, the PSO variant is said to be local best lbest. Further, suppose there is an information link between each particle and its neighbors, and the set of those links builds a graph, which is called the topology of PSO variant. Scholars have carried out numerous researches in this field. Wang and Watada [87] proposed a hybrid mutation-neighborhood-based PSO (MN-PSO) which comprised the approximation algorithm to search for the approximate optimal solution. Jiang et al. [88] proposed PSO with age-group topology (PSOAG), a novel age-based PSO. They presented a new concept of age to measure the search ability of each particle in local area. To keep population diversity during searching, particles were separated to different age-groups by their age. Particles in each age-group could only select the ones in younger groups or their own groups as their neighborhoods. To allow search escape from local optima, the aging particles were regularly replaced by new and randomly generated ones. In addition, an age-group based parameter setting method was designed, where particles in different age-groups had different parameters to accelerate convergence. Marinakis and Marinaki [89] introduced a new algorithmic nature-inspired approach that used PSO with different neighborhood topologies, for successfully solving one of the most computationally complex problems, the permutation flow-shop scheduling problem (PFSP). The proposed algorithm combined a PSO algorithm, the variable neighborhood search strategy, and a path relinking strategy. Rada-Vilela et al. [90] presented a performance study on the effect of synchronicity in communications and neighborhood size in PSO on large-scale optimization problems. The algorithms under study were the Synchronous PSO (S-PSO), the Asynchronous PSO (A-PSO), and the recently proposed Random Asynchronous PSO (RA-PSO). Wang et al. [91] proposed a hybrid PSO algorithm called DNSPSO, which employed a diversity enhancing mechanism and neighborhood search strategies to achieve a trade-off between exploration and exploitation abilities. Comparison results showed that DNSPSO obtained a promising performance on the majority of the test problems. Fu et al. [92] proposed a new QPSO algorithm called NQPSO, in which one local and one global neighborhood search strategies were utilized to balance exploitation and exploration. Moreover, a concept of opposition-based learning was employed for population initialization. Computational results showed that the proposed approach outperformed some similar QPSO algorithms and five other state-of-the-art PSO variants. Ni and Deng [93] proposed to use random topology and analyzed its performance. The relationship between population topology and the performance of PSO was also explored from the perspective of graph theory characteristics in population topologies. Further, in logistic dynamic particle optimization, an extensive simulation study was presented to discuss the effectiveness of the random topology and the design strategies of population topology. Beheshti et al. [94] proposed an improved PSO scheme called fusion global-local-topology PSO (FGLT-PSO). The algorithm employed both global and local topologies in PSO to jump out of the local optima. The experimental results showed that the proposed method improved the performance of PSO algorithm in terms of solution accuracy and convergence speed. Lim and Isa [95] proposed PSO with increasing topology connectivity (PSO-ITC) to solve unconstrained single-objective optimization problems with continuous search space. An ITC module was developed to achieve better control of exploration/exploitation searches by linearly increasing the particle’s topology connectivity with time as well as performing the shuffling mechanism. Furthermore, they introduced a new learning framework that consisted of a new velocity update mechanism and a new neighborhood search operator that aimed at enhancing the algorithm’s searching performance. Kalayci and Gupta [96] proposed a new approach based on the PSO algorithm with a neighborhood-based mutation operator to solve the sequence-dependent disassembly line balancing problem.

3.1.9. Other Modifications

Some researchers make tentative research on improving the optimization performance of PSO by other efficient strategies. For example, Chuang et al. [97] proposed a novel catfish PSO, the mechanism of which is dependent on the incorporation of a catfish particle into the linearly decreasing weight particle swarm optimization. Unlike other ordinary particles, the catfish particles initialized a new search from the extreme points of the search space when the gbest fitness value had not been changed for a given time, which resulted in further opportunities to find better solutions for the swarm by guiding the whole swarm to promising new regions of the search space and accelerating convergence. Shi and Liu [98] proposed a hybrid improved PSO, in which chaos initialization was introduced to improve the population diversity, and adaptive parameters’ control strategy was employed to make it independent from specific problem. Besides, novel acceptance policy based on Metropolis rule was taken to guarantee the convergence of the algorithm. Zhang et al. [99] proposed a new adaptive PSO (APSO) that could dynamically follow the frequently changing market demand and supply in each trading interval. A numerical example served to illustrate the essential features of the approach. Liu et al. [100] proposed an improved cooperative PSO to solve both the local extrema and the pseudominimum problem, with the aim of solving production scheduling more efficiently. The results showed that the convergent speed and solution quality of the improved cooperative PSO preceded the other two efficient algorithms. Shen et al. [101] presented a correlation PSO model in which a novel correlative strategy was used to process the personal experience and sharing experience. The relational expression between the correlation coefficient and population diversity was developed through theoretical analysis. They found that the processing strategy with positive linear correlation was helpful to maintain the population diversity. Lin et al. [102] introduced a jumping-out strategy named crown jewel defense (CJD). CJD was used to relocate the gbest position and reinitialized all particles’ pbest position when the swarm was trapped in local optima. Taking the advantage of CJD strategy, the swarm could jump out of the local optimal region without being dragged back and the performance of PSO became more robust to the initialization. Experimental results on benchmark functions showed that the CJD-based PSOs were comparable to or better than the other representative state-of-the-art PSOs. Wang and Watada [103] studied a facility location model with fuzzy random parameters and its swarm intelligence approach. A Value-at-Risk (VaR) based fuzzy random facility location model (VaR-FRFLM) was built in which both the costs and demands were assumed to be fuzzy random variables, and the capacity of each facility was unfixed but a decision variable assuming continuous values. A hybrid modified PSO approach was proposed to solve the VaR-FRFLM. Li et al. [104] developed a knowledge-based heuristic PSO approach with the adjustment strategy (KHPSOA), inspired by the No Free Lunch Theorem to solve the weighted circle packing problem. The numerical experiments showed that KHPSOA was superior to the existing algorithms in the performances. Inspired by the ecological behavior, Lu et al. [105] developed an augmented PSO (AugPSO) algorithm using two new strategies, boundary shifting and particle position resetting, with the aim of optimizing the design of truss structures. The boundary shifting approach forced particles to move to the boundary between feasible and infeasible regions in order to increase the convergence rate in searching. The particle position resetting approach was motivated by mutation scheme in GA to increase the diversity of particles and to prevent the solution of particles from falling into local minima. Mattos et al. [106] presented a constrained hybrid PSO algorithm in order to find feasible solutions to the resource allocation problem. Wu et al. [107] integrated some problem-oriented knowledge into the design of a certain PSO variant. They investigated the inner variable learning (IVL) strategy which could help the particle to inspect the relation among its inner variables, determine the exemplar variable for all other variables, and then make each variable learn from the exemplar variable in terms of their quantitative relations. Hence, a novel PSO algorithm with an IVL strategy was proposed and found particularly efficient for optimizing functions with symmetric variables. In addition, they designed a new trap detection and jumping-out strategy to help particles escape from local optima. Lim and Mat Isa [108] presented an adaptive two-layer PSO algorithm with elitist learning strategy (ATLPSO-ELS), which had better search capability than classical PSO. In ATLPSO-ELS, they performed evolution on both the current swarm and the memory swarm, motivated by the tendency of the latter swarm to distribute around the problem’s optima. They proposed two adaptive division-of-labor modules to self-adaptively divide the swarms into exploration and exploitation sections. An elitist learning strategy module was introduced in the proposed algorithm to enhance the search efficiency of swarms and to mitigate premature convergence. Shimizu et al. [109] developed a novel algorithm of PSO associated with binary decision variables. It was quite effective for finding the optimum opening distribution centers in three-echelon logistic network by parallel computing. Eventually, they had implemented the procedure in the parallel algorithm deployed as a multipopulation based approach using multithread programming technique. Fister Jr. et al. [110] presented a simple PSO, which allowed automatic creation of complex two-dimensional graphic characters. The method involved constructing the base characters, optimizing the modifications of the base characters with the PSO algorithm, and finally generating the graphic characters from the solution. They demonstrated the effectiveness of the approach with the creation of simple snowman.

3.2. Hybridization

PSO was combined with some traditional and evolutionary optimization algorithms in order to take the advantages of both methods and compensate the weaknesses of each other. This type of PSO is called hybridized PSO.

3.2.1. With GA

Kuo and Hong [111] presented a two-stage method of investment portfolio based on soft computing techniques. The first stage used data envelopment analysis to select most profitable funds, while hybrid of GA and PSO was proposed to conduct asset allocation in the second stage. Chen and Kurniawan [112] presented a two-stage optimization system to find optimal process parameters of multiple quality characteristics in plastic injection molding. Taguchi method, BPNN, GA, and combination of PSO and GA (PSO-GA) were used in this study to find optimum parameter settings. Nazir et al. [113] extracted facial local features using local binary pattern (LBP) and then fused these features with clothing features, which enhanced the classification accuracy rate remarkably. In the following step, PSO and GA were combined to select the most important features’ set that more clearly represented the gender and thus the data size dimension was reduced. Vidhya and Kumar [114] proposed a hybrid technique that included PSO and GA for channel estimation in MIMO-orthogonal frequency division multiplexing (MIMO-OFDM) systems. The result showed the performance of the proposed method was better than LS and MMSE methods in all the mutation and crossover values and in all the iterations computed. Xiao et al. [115] constructed three different types of neural network based models, that is, Elman network, generalized regression neural network (GRNN), and wavelet neural network (WNN) constructed by three nonoverlapping training sets. Their empirical results suggested the ensemble ANNs-PSO-GA approach significantly improved the prediction performance over other individual models and linear combination models. Ghamisi and Benediktsson [116] proposed a new feature selection approach based on the integration of a GA and PSO. The overall accuracy of a support vector machine (SVM) classifier on validation samples was used as a fitness value. The new approach was carried out on the well-known Indian Pines hyperspectral dataset. Results confirmed that the new approach was able to select automatically the most informative features in terms of classification accuracy within an acceptable processing time without requiring the number of desired features to be set a priori by users.

3.2.2. With AIS

Tang et al. [117] presented a novel dynamic PSO algorithm based on improved artificial immune network (IAINPSO). Based on the variance of the population’s fitness, a kind of convergence factor was adopted in order to adjust the ability of search. The experimental results showed that not only did the new algorithm satisfy convergence precision, but also the number of iterations was much less than traditional scheme and had much faster convergent speed, with excellent performance in the search of optimal solution to multidimensional function. Zhang et al. [118] proposed a more pragmatic model for stochastic networks, which considered not only determinist variables but also the mean and variances of random variables. In order to accelerate the solution of the model, they integrated PSO with chaos operator and AIS. Ibrahim et al. [119] developed a power quality monitor positioning algorithm to find the optimal number and placement of PQMs in both transmission and distribution systems. First, the concept of topological monitor reach area was introduced. Then the binary PSO hybridized with AIS was used to solve multiobjective function in finding the optimal placement of PQMs. Kuo et al. [120] intended to propose a hybrid of AIS and PSO-based SVM (HIP-SVM) for optimizing SVM parameters and applied it to radio frequency identification (RFID) based positioning system. The computational results showed that HIP-SVM had better performance than AIS-based SVM and PSO-based SVM. Liu et al. [121] proposed a coevolutionary PSO algorithm associating with the artificial immune principle. In the proposed algorithm, the whole population was divided into two kinds of subpopulations consisting of one elite subpopulation and several normal subpopulations. The best individual of each normal subpopulation will be memorized into the elite subpopulation during the evolution process. Darzi et al. [122] incorporated PSO, dynamic mutated AIS (DM-AIS), and gravitational search algorithm (GSA) into the existing LCMV technique in order to improve the weights of LCMV. The simulation result demonstrated that received signal to interference and noise ratio (SINR) of target user can be significantly improved by the integration of PSO, DM-AIS, and GSA in LCMV through the suppression of interference in undesired direction.

3.2.3. With TS

Li et al. [123] integrated nonlinear simplex method (NSM) into PSO in order to increase its convergence speed. They also integrated TS into PSO to assign Tabu attribute to local solution regions. The hybrid PSO algorithm was an organic composition of the PSO, NSM, and TS algorithms. Nakano et al. [124] presented a new form of PSO based on the concept of TS. The proposed Tabu list PSO (TL-PSO) was a method for combining the strong points of PSO and TS. This method stored the history of pbest in a Tabu list. When a particle had a reduced searching ability, it selected a pbest of the past from the historical values, which was used for the update. This made each particle active, and the searching ability of the swarm made progress. Zhang et al. [125] presented the production planning management architecture for iron-steel manufacturing factories based on make-to-order and make-to-stock management ideas. In order to solve this nonlinear integer program, the authors designed a hybrid PSO and TS algorithm, in which new heuristic rules were proposed to repair infeasible solutions. Ktari and Chabchoub [126] proposed a new heuristic approach such that various features inspired from the TS were incorporated in the Essential Particle Swarm Optimization queen (EPSOq) algorithm in order to obtain another improved discrete PSO version. Wang et al. [127] focused on long-term distribution system maintenance scheduling aided by available operation information. A combined algorithm that consisted of PSO and TS was designed and applied to the optimization problem. Numerical result verified that the proposed method could schedule long-term maintenance of distribution systems in smart grid economically and effectively.

3.2.4. With ACO

Chen and Chien [128] presented a new method, called the genetic simulated annealing ant colony system with particle swarm optimization techniques, for solving the TSP. The experimental results showed that both the average solution and the percentage deviation of the average solution to the best known solution of the proposed method were better than existing methods. Xiao et al. [129] considered the features of the MRCMPSP problem. They employed ant colony’s labor division to establish a task priority-scheduling model firstly. Then, they used improved PSO to find out the optimum scheduling scheme. The approach integrating the above two algorithms had abilities of both local search and global search. Kiran et al. [130] proposed a new hybrid method for estimating energy demand of Turkey using PSO and ACO. PSO was developed for solving continuous optimization problems; ACO was used for discrete optimizations. Hybrid method based PSO and ACO was developed to estimate energy demand using gross domestic product, population, import, and export. Huang et al. [131] incorporated ACOR with PSO to improve the search ability, investigating four types of hybridization as follows: sequence approach, parallel approach, sequence approach with an enlarged pheromone-particle table, and global best exchange. Among the four strategies of hybridization, the sequence approach with the enlarged pheromone table was superior to the other approaches because the enlarged pheromone table diversified the generation of new solutions of ACOR and PSO, which prevented traps into the local optimum. Rahmani et al. [132] used a new hybrid swarm technique (HAP) to forecast the energy output of a real wind farm located in Binaloud, Iran. The technique consisted of the hybridization of the ACO and PSO, which were two metaheuristic techniques under the category of swarm intelligence. The hybridization of the two algorithms to optimize the forecasting model led to a higher quality result with a faster convergence profile. Elloumi et al. [133] illustrated a novel optimization approach based on multiobjective PSO (MOPSO) and Fuzzy ACO (FACO). The basic idea was to combine these two techniques using the best particle of the Fuzzy Ant algorithm and integrate it as the best local PSO to formulate a new approach called hybrid MOPSO with FACO (H-MOPSO-FACO). This hybridization solved the multiobjective problem, which relied on both time performance criteria and the shortest path.

3.2.5. With SA

Sait et al. [134] proposed a hybrid of PSO and SA for solving the cell assignment in CnnosnanowireMOLecular Hybrid (CMOL). Results showed that the proposed hybrid algorithm achieved better solution in terms of buffer count in reasonable time. Jiang and Zou [135] proposed an improved parameter optimization method based on traditional PSO algorithm by changing the fitness function in the traditional evolution process of SVMs. Then, this PSO method was combined with SA global searching algorithm to avoid local convergence that traditional PSO algorithms usually run into. This method achieved better results that reflected in the ROC curves in medical images classification and gained considerable identification accuracy in clinical disease detection. Niknam et al. [136] proposed a hybrid PSO and SA (PSO-SA) method to solve the dynamic optimal power flow (DOPF) problem while the prohibited zones, valve-point effects, and ramp rate constraints were taken into account. The hybrid PSO-SA algorithm could do an efficient search and explore solution space, while it profited from privileges of both PSO and SA algorithms. Khoshahval et al. [137] developed a new parallel optimization algorithm, P-PSOSA, for performing the fuel management optimization; they defined two different fitness function considering the multiplication factor maximizing and power peaking factor minimizing objectives simultaneously. Numerical results of P-PSOSA confirmed that the proposed algorithm had a great strength to obtain a near global core pattern with respect to considered objective functions during suitable consuming runtime. Du et al. [138] presented a hybrid algorithm based on improved PSO and SA (IPSOSA) algorithm to solve the resource constrained multiproject scheduling problem. Aimed at overcoming the shortcomings of premature convergence of standard PSO, adaptive inertia weight with cyclical attenuation strategy and SA were employed in the hybrid algorithm. Zhang et al. [139] proposed an improved approach to decompose structuring elements of an arbitrary shape. They introduced in the restarted simulated annealing PSO method, which was the combination of restarted SA and PSO. Geng et al. [140] introduced robust v-support vector regression (RSVR) model to forecast port throughput. In order to search the more appropriate parameters combination for the RSVR model, they presented a chaotic simulated annealing PSO (CSAPSO) algorithm to determine the parameter combination.

3.2.6. With ABC

El-Abd [141] tested a hybrid PSO and ABC algorithm on the CEC13 testbed. The hybridization technique was a component-based one, where the PSO algorithm was augmented with an ABC component to improve the personal best of the particles. Sharma et al. [142] proposed a variant called Local Global variant ABC (LGABC) to balance the exploration and exploitation in ABC. The proposal harnessed the local and global variant of PSO into ABC. The proposed variant was investigated on a set of thirteen well-known constrained benchmarks problems and three chemical engineering problems, which showed that the variant can get high-quality solutions efficiently. Kiran and Gündüz [143] presented a hybridization of PSO and ABC approaches, based on recombination procedure. The global best solutions obtained by the PSO and ABC were used for recombination, and the solution obtained from this recombination was given to the populations of the PSO and ABC as the global best and neighbor food source for onlooker bees, respectively. Information flow, between particle swarm and bee colony, helped increase global and local search abilities of the hybrid approach. Vitorino et al. [144] put forward a mechanism based on the ABC to generate diversity when all particles of the PSO converged to a single point of the search space. Then, the swarm entities switched between two predefined behaviors by using fuzzy rules depending on the diversity of the whole swarm.

3.2.7. With DE

Maione and Punzi [145] proposed a two-step design approach. First, DE determined the fractional integral and derivative actions satisfying the required time-domain performance specifications. Second, PSO determined rational approximations of the irrational fractional operators as low-order, stable, minimum-phase transfer functions with poles interlacing zeros. Extensive time- and frequency-domain simulations validated the efficiency of the proposed approach. Fu et al. [146] presented a hybrid DE with QPSO for the unmanned aerial vehicle (UAV) route planning on the sea. It combined DE algorithm with the QPSO algorithm in an attempt to enhance the performance of both algorithms. Experimental results demonstrated that the proposed method was capable of generating higher quality paths efficiently for UAV than any other tested optimization algorithms. Vasundhara et al. [147] presented an efficient way of designing linear-phase finite impulse response (FIR) low-pass and high-pass filters using a novel algorithm ADEPSO, which was hybrid of fitness based adaptive DE and PSO. ADEPSO overcame the above individual disadvantages faced by both algorithms and was used for the design of linear-phase low-pass and high-pass FIR filters. The simulation results showed that the ADEPSO outperformed PSO, ADE, and DE in combination with PSO not only in magnitude response but also in the convergence speed and thus proved itself to be a promising candidate for designing the FIR filters. Yu et al. [148] formulated a novel adaptive hybrid algorithm based on PSO and DE (HPSO-DE) by developing a balanced parameter between PSO and DE. Adaptive mutation was carried out on current population when the population clustered around local optima. The HPSO-DE enjoyed the advantages of PSO and DE and maintained diversity of the population. Compared with PSO, DE, and their variants, the performance of HPSO-DE was competitive. Wang et al. [149] proposed a robust hybrid metaheuristic optimization approach by adding DE mutation operator to the accelerated PSO (APSO) algorithm to solve numerical optimization problems. Yadav and Deep [150] proposed a new co-swarm PSO (CSHPSO) for constrained optimization problems, which was obtained by hybridizing shrinking hypersphere PSO (SHPSO) with the DE approach. The total swarm was subdivided into two subswarms in such a way that the first subswarms used SHPSO and second subswarms used DE. Experiments showed that CSHPSO was a promising new co-swarm PSO which could be used to solve any real constrained optimization problem.

3.2.8. With Other Approaches

Xu et al. [151] proposed a hybrid PSO integrated with trust region method. The simulation results on some multimodal global optimizations showed that the algorithm was far more effective than linear decreasing weight PSO (LDWPSO) and sequential quadratic programming (SQP) to search the global optimum. Mohanty et al. [152] presented a study on frequency regulation in isolated hybrid DG system. H-infinite loop shaping based on PSO as well as hybrid PSO and HS (PSOHS) controller was proposed to minimize the frequency deviation. Guo et al. [153] employed PSO and BBO to propose a hybrid algorithm termed biogeography-based PSO (BPSO), which could make a large number of elites effective in searching optima. The whole population was split into several subgroups; BBO was employed to search within each subgroup and PSO for the global search.

3.3. Extensions

The success of the PSO algorithm as a single-objective optimizer within continuous search space has motivated researchers to extend its use to other areas, which consist of but not limited to multiobjective optimization, constrained optimization, binary optimization, discrete optimization, combinatorial optimization, and so forth.

3.3.1. Multiobjective Optimization

Multiple objective PSO (MOPSO) has been proposed to deal with multiobjective optimization problems, in which the objective function took Pareto dominance into account when moving the PSO particles and nondominated solutions were stored so as to approximate the Pareto front. Qiu et al. [154] proposed a MOPSO with a new gbest selection strategy. They used -means algorithm and proportional distribution based approach to select gbest from the archive for each particle of the population. A symmetric mutation operator was incorporated to enhance the exploratory capabilities. The simulation results indicated that the proposed algorithm was highly competitive in terms of convergence and diversity in comparison with several state-of-the-art algorithms. Chen et al. [155] presented an ironless permanent magnet linear brushless motor with three objective functions: maximal thrust force, minimal temperature, and minimal volume. An elitist hybrid QPSO algorithm with mutation was used to solve this multiobjective optimization problem. Elitist mechanism with crowding distance sorting was used to improve the number and diversity of the solutions. Ghanei et al. [156] presented application of thermal-economic multiobjective optimization of shell and tube heat exchanger (STHE) using MOPSO to obtain the maximum effectiveness (heat recovery) and the minimum total cost as two objective functions. Duan et al. [157] developed a mathematical model based on thermodynamic analysis of Stirling engine considering regenerative losses and internal irreversibilities. Power output, thermal efficiency, and the cycle irreversibility parameter of Stirling engine were optimized simultaneously using MOPSO. Amiryousefi et al. [158] performed a multiobjective optimization for deep-fat frying of ostrich meat plates. MOPSO was used to obtain the best solutions. This problem had three objective functions that must be satisfied simultaneously. Results showed a Pareto where all the points on this Pareto were the best possible solutions. Ganguly [159] presented a PSO-based multiobjective planning algorithm for reactive power compensation of radial distribution networks with unified power quality conditioner (UPQC) allocation. The optimal location, the optimal reactive power compensation required at the location, and the optimal design parameters of UPQC were determined by minimizing three objective functions: the rating of UPQC, network power loss, and percentage of nodes with undervoltage problem. These objectives were simultaneously minimized to obtain a set of nondominated solutions using MOPSO. Zhang et al. [160] combined BBPSO and sensitivity-based clustering for solving multiobjective reliability redundancy allocation problems (RAPs). A two-stage process was performed to identify promising solutions. A new bare-bones MOPSO (BBMOPSO) was developed and applied in the first stage to identify a Pareto-optimal set. This algorithm mainly differed from other MOPSO algorithms in the parameter-free particle updating strategy, which was especially suitable for handling the complexity and nonlinearity of RAPs. Perera et al. [161] applied MOPSO to identify intermediate debonding damage in the problem of fiber-reinforced-polymer-composites- (FRP-) plated RC beams. The use of permanently installed fiber Bragg grating sensors embedded into the FRP concrete interface or bonded onto the FRP strip together with the proposed methodology resulted in an automated method able to operate in an unsupervised mode. Cheng et al. [162] proposed an improved MOPSO with preference strategy (IMPSO-PS) and applied it to the optimal integration of distributed generation (DG) into the distribution system. Preference factors were introduced to quantify the degree of preference for certain attributes in the constraint-space. In addition to the application of a popular nondominated sorting technique for identifying Pareto solutions, the performance of IMPSO-PS was strengthened via the inclusion of a dynamic selection of the global best, a novel circular nondominated selection of particles, and a special mutation operation.

3.3.2. Constrained Optimization

Scholars have proposed several solutions to constrained optimization problem. For example, Daneshyari and Yen [163] proposed a cultural-based constrained PSO to incorporate the information of the objective function and constraint violation into four sections of the belief space, specifically normative knowledge, spatial knowledge, situational knowledge, and temporal knowledge. The archived information facilitated communication among swarms in the population space and assisted in selecting the leading particles in three different levels: personal, swarm, and global levels. Afshar [164] presented three constrained versions of PSO algorithm for the efficient optimal operation of multireservoir systems using storage/release volumes as decision variables of the problem. Proposed algorithms were based on identifying and excluding the infeasible region of the search space before and during the search. Koulinas et al. [165] proposed a PSO-based hyperheuristic algorithm for solving the resource constrained project scheduling problem. The hyperheuristic worked as an upper-level algorithm that controlled several low-level heuristics which operated to the solution space. The solution representation was based on random keys. Active schedules were constructed by the serial scheduling generation scheme using the priorities of the activities which were modified by the low-level heuristics of the algorithm. Shan and Ren [166] combined PSO with direct approach and applied the method to low-thrust trajectory optimization problems. A double-loop trajectory optimization algorithm was developed. The outer loop of this algorithm was a modified PSO optimizer, which dealt with constrained optimization problems and avoided premature convergence. The direct approach (fourth-order Runge-Kutta shooting/parallel shooting method) was adopted as the inner loop algorithm, whose main task was to correct the particles provided by the outer loop and ensure that all the constraints were satisfied. Yeh and Chien [167] proposed an efficient algorithm for solving a class of constrained minimal spanning tree (MST) problems. The proposed PSO-like strategy for solving constrained MST problems identified optimal MSTs under degree and delay constraints. Singh et al. [168] presented a novel approach to detect a salient object which involved two phases. In the first phase, three features such as multiscale contrast, center-surround histogram, and color spatial distribution were obtained. Constrained PSO was used in the second phase to determine an optimal weight vector to combine these features to obtain saliency map to distinguish a salient object from the image background. Paliwal et al. [169] presented a systematic approach for determination of optimal mix of resources. The considered constituent resources comprised of diesel, photovoltaic (PV), wind, and battery storage. A technosocioeconomic criterion was formulated in order to determine optimum combination of resources. PSO was used to determine optimal component sizing for each of the configuration. Cui et al. [170] developed a multitarget PSO (mPSO) to solve the parallel model of independent-component-analysis constrained by a 5-parameter Reference Curve. Shou et al. [171] proposed a hybrid PSO procedure to solve the preemptive resource constrained project scheduling problem in which a maximum of one interruption per activity was allowed. Four types of particle representations were designed and two schedule generation schemes were adopted to decode the particle representations. Particle-updating mechanisms based on the peak crossover operator were designed for all particle representations.

3.3.3. Discrete Optimization

Discrete PSO (DPSO) was proposed and harnessed to address discrete optimization/integer programming problems. Chen and Ludwig [172] devised a PSO-based discrete implementation with a local search strategy (DPSO-LS). The local search strategy helped to overcome local optima in order to improve the solution quality. The DPSO-LS used the Pittsburgh approach whereby a rule base was used to represent a particle. This rule base evolved over time as to finding the best possible classification model. Shen et al. [173] proposed a novel bivelocity DPSO (BVDPSO) approach and extended its application to the nondeterministic polynomial complete multicast routing problem (MRP). First, a novel bivelocity strategy was developed to represent the possibilities of each dimension being 1 and 0. Second, BVDPSO updated the velocity and position according to the learning mechanism of the original PSO in the continuous domain. Experiments showed BVDPSO outperformed not only several state-of-the-art and recent heuristic algorithms for the MRP problems, but also algorithms based on GA, ACO, and PSO. Chen et al. [174] proposed a revised DPSO (RDPSO) to solve the permutation flow-shop scheduling problem with the objective of minimizing makespan (PFSP-makespan). RDPSO proposed new particle swarm learning strategies to thoroughly study how to properly apply the gbest solution and the pbest solution to guide the search of RDPSO. A new filtered local search was developed to filter the solution regions that had been reviewed and guided the search to new solution regions in order to keep the search from premature convergence. Cai et al. [175] suggested using a novel DPSO for identifying community structures in signed networks. Particles’ status had been redesigned in discrete form so as to make PSO proper for discrete scenarios. Particles’ updating rules had been reformulated by making use of the topology of the signed network. Kashan et al. [176] presented a novel DPSO, which used group-based operators, in place of arithmetic operators, in the body of the updating equations analogous to those of the classical PSO equations. All operators in the new algorithm worked with constructed cells (groups) rather than parts/machines (objects). Xu et al. [177] employed a DPSO approach to solve the requirements contradiction between high transparency in pass band and high reflectance in stop band. Garg and Singh [178] used ε-fuzzy dominance sort based DPSO (-FDPSO) approach to solve the workflow scheduling problem in the grid. The metric, fuzzy dominance which quantified the relative fitness of solutions in multiobjective domain was used to generate the Pareto optimal solutions. In addition, the scheme also incorporated a fuzzy-based mechanism to determine the best compromised solution. Zong et al. [179] proposed a DPSO with neighborhood learning factor algorithm to solve the temporal-spatial conflict and congestion for pedestrian-vehicle mixed evacuation. The proposed algorithm introduced a neighborhood learning factor to simulate the subgroup phenomenon among evacuees and to accelerate the evacuation process. Ezzeldin et al. [180] used integer DPSO as an optimization technique for the design of water distribution networks in order to minimize its total cost. Because the particle swarm was highly sensitive to its parameters and boundary conditions, the available restricted boundary conditions were applied. Also, a new boundary condition called the billiard boundary condition was introduced, which did not depend on the velocity clamping that mainly depended on human assumptions.

3.3.4. Binary Integer Programing

0-1 integer programming or binary integer programming (BIP) is the special case of integer programming where variables are required to be 0 or 1. Binary PSO (BPSO) was used to solve this type of problems. Zhai and He [181] proposed a new immune BPSO (IBPSO) to solve the problem of instance selection for time series classification, whose objective was to find out the smallest instance combination with maximal classification accuracy. The proposed IBPSO was based on the BPSO algorithm. Its immune mechanism included vaccination and immune selection. Sarath and Ravi [182] developed a BPSO based association rule miner, which generated the association rules from the transactional database by formulating a combinatorial global optimization problem, without specifying the minimum support and minimum confidence unlike the a priori algorithm. The quality of the rule was measured by a fitness function defined as the product of support and confidence. Taha and Abu Al Nadi [183] presented a maximum likelihood estimate (MLE) to detect the number of vacant channels in the spectrum. The resulting MLE needed exhaustive search to be determined accurately. BPSO was proposed to solve the problem. Simulation results had shown significant improvement of the MLE-BPSO estimated over the conventional techniques by 3–5 dB. El-Maleh et al. [184] proposed an improved BPSO algorithm and demonstrated its effectiveness in solving the state assignment problem in sequential circuit synthesis targeting area optimization. Experimental results demonstrated the effectiveness of the proposed BPSO algorithm in comparison to other BPSO variants and in comparison to GA, SimE, and deterministic algorithms like Jedi and Nova. Erturk et al. [185] proposed a novel spatial resolution enhancement method using fully constrained least squares (FCLS) spectral unmixing and spatial regularization based on modified BPSO to achieve spatial resolution enhancement in hyperspectral images, without using an additional image with higher spatial resolution. The proposed method had a highly parallel nature with respect to its counterparts in the literature and was fit to be adapted to field-programmable gate array architecture. Zhang et al. [186] proposed a novel spam detection method that focused on reducing the false positive error of mislabeling nonspam as spam. BPSO with mutation operator (MBPSO) was employed as the subset search strategy. The results showed that the MBPSO performed better than sequential forward selection (SFS) and sequential backward selection (SBS). Yin et al. [187] used a feature selection algorithm according to the separability criterion to preselect the discrete cosine transform (DCT) coefficients and then employed search algorithm based on BPSO and SVM to find an optimal combination of the DCT coefficients. Yang et al. [188] proposed a modified version of BPSO (MBPSO), which adopted a different transfer function and a new position updating procedure with mutation, for the task allocation problem to obtain the best solution. Each particle in MBPSO was encoded to represent a complete potential solution for task allocation. The task workload and connectivity were ensured by taking them as constraints for the problem. Multiple metrics, including task execution time, energy consumption, and network lifetime, were considered a whole by designing a hybrid fitness function to achieve the best overall performance. Ganesh et al. [189] proposed entropic BPSO (EBPSO), which generated an entropy map, the highest value of which was used to localize the ear in a face image. Experimental results showed the promising performance of EBPSO for ear detection on four benchmark face databases: CMU PIE, Pointing Head Pose, Color FERET, and UMIST.

3.4. Theoretical Analysis
3.4.1. Parameter Choice

The choice of parameters of PSO has a large impact on its optimization performance [190]. Therefore, how to select or tune the parameters yielding good results had been the hot topic. Kumar and Chaturvedi [191] developed a FPSO, in which inertia weight was adaptively adjusted using fuzzy logic controller (FLC) during the search process. The FLC presented had one input and one output into PSO. Zhang et al. [192] proposed a simple way to estimate the nonnegative real parameter tuple (omega, , and ) of standard PSO algorithm using control theory. The distribution of complex characteristic roots on the convergence region of particles was studied by means of linear discrete-time system analysis method. Yang [193] proposed an improved PSO variant, called PSO with modified velocity strategy (MVPSO), in which each particle was attracted by the global best particle and a random particle chosen from a set of good particles. Simulation results showed that MVPSO obtained better performance than standard PSO and two other improved PSO variants. Sun et al. [194] presented a comprehensive analysis of the QPSO algorithm. They analyzed the behavior of a single particle in QPSO in terms of probability measure. Since the particle’s behavior was influenced by the contraction-expansion (CE) coefficient, the goal of the theoretical analysis was to find out the upper bound of the CE coefficient, within which the value of the CE coefficient selected could guarantee the convergence or boundedness of the particle’s position. Yassin et al. [195] found that BPSO algorithm was subject to several parameters: swarm size, maximum iterations, and initial positions. They investigated the effect of the swarm size parameter on the convergence of BPSO. The results over DC motor dataset indicated that the optimal swarm size for convergence was between 20 and 30 particles. Wang et al. [196] compared and analyzed the optimization performance of PSO under different parameters, in order to guarantee the convergence of PSO applied to the inverting of ellipsometry. The result showed that the range of inertia weight omega from 0.5 to 0.8, the sum of learning parameters and preferably no more than 3, and a smaller and a bigger ensured the better optimization performance of PSO. Hao et al. [197] proposed molecular force model based PSO (MFMPSO). Two parameters were introduced in the MFMPSO algorithm. The orthogonal test design method was applied to optimize the parameter combinations of three levels and four factors, which included and , the population size, and the iteration number. Xu [198] proposed an adaptive parameter tuning of PSO based on velocity information (APSO-VI). This algorithm introduced the velocity information defined as the average absolute value of velocity of all the particles. A new strategy presented that the inertia weight was dynamically adjusted according to average absolute value of velocity, which followed a given nonlinear ideal velocity by feedback control. Under the guide of the nonlinear ideal velocity, APSO-VI maintained appropriate swarm diversity and alleviated the premature convergence validly. Chauhan et al. [199] proposed three new nonlinear strategies for selecting inertia weight which played a significant role in particle’s foraging behavior. The PSO variants implying these strategies were named fine grained inertia weight PSO (FGIWPSO), double exponential self-adaptive IWPSO (DESIWPSO), and double exponential dynamic IWPSO (DEDIWPSO). In FGIWPSO, inertia weight was obtained adaptively, depending on particle’s iteration wise performance, and decreased exponentially. DESIWPSO and DEDIWPSO employed Gompertz function, a double exponential function for selecting inertia weight. In DESIWPSO the particles’ iteration wise performance was fed as input to the Gompertz function. On the other hand, DEDIWPSO evaluated the inertia weight for whole swarm iteratively using Gompertz function where relative iteration was fed as input. Zhang et al. [200] found that engineering experience could be used to determine the parameters of an optimization algorithm. They analyzed the dynamic characteristics of PSO through a large number of experiments and constructed a relationship between the dynamic process of PSO and the transition process of a control system. A novel parameter strategy for PSO was proven using the overshoot and the peak time of a transition process. This strategy provided not only a series of flexible parameters for PSO but also a new way to analyze particle trajectories that incorporated engineering practices. The experimental results showed that the proposed strategy was effective and easy to implement. Kanemasa and Aiyoshi [201] combined a feedback element as an algorithm tuner with an original algorithm; the resulting algorithm was applied to the optimization problem in question. They used genetic programming (GP) to generate tuning rules to automatically tune the PSO algorithm, namely, augmented PSO by using GP as a meta-algorithm to solve the learning problem of automatically generating tuning rules for the parameters in the PSO algorithm.

3.4.2. Convergence Analysis

PSO may converge to global optimal or local optimal positions. The latter is unexpected for PSO-users. Attempts at mathematically analyzing PSO convergence exist in literatures. These analyses offer guides for selection parameters of PSO in another way that guarantees global convergence and avoid premature. Wang and Shen [202] gave the general mathematical description of PSO. Afterwards, they proved that the solution space of PSO in normed space and the iterative relations of PSO were contraction mapping. Using the theorem of Banach space and contraction mapping principle, they proved the existence and uniqueness of the convergence position. Sun et al. [203] presented a convergence analysis and performance evaluation of QPSO algorithm. They investigated in detail the convergence of the QPSO algorithm on a probabilistic metric space and proved that the QPSO algorithm was a form of contraction mapping and converged to the global optimum. It was the first time that the theory of probabilistic metric spaces had been employed to analyze a stochastic optimization algorithm. They provided a new definition for the convergence rate of a stochastic algorithm as well as definitions for three types of convergence according to the correlations between the convergence rate and the objective function values. Kurihara and Jin’no [204] analyzed the convergence property of the PSO and its application to the nonlinear blind source separation system. The interparticle communication of the PSO was realized by the past history of the neighbors and depended on the network structure of the swarm. Lin [205] considered the router node placement of wireless mesh networks in a dynamic network scenario. They first modelled a mathematical form for the concerned problem, then proposed a PSO approach, and, from a theoretical aspect, provided the convergence and stability analysis of the PSO with constriction coefficient, which was much simpler than the previous analysis. Zhang et al. [206] studied an improved BBPSO algorithm with adaptive disturbance (ABPSO). They used stochastic process theory to analyze the convergence of ABPSO, by regarding each particle’s position as a stochastic vector. Lin et al. [207] thought the PSO had a tendency to get stuck in a near-optimal solution especially for middle and large size problems, and it was difficult to improve solution accuracy by fine-tuning parameters. Hence, they proposed a local and global search combined PSO (LGSCPSOA), analyzed its convergence, and obtained its convergence qualification. Kim and Li [208] suggested the conventional derivative-based estimation approach was often terminated earlier without converging due to the singularity if a model was statistically nonidentifiable. To circumvent this difficulty, a derivative-free global optimization algorithm was developed by combining PSO with a derivative-free local optimization algorithm to improve the rate of convergence of PSO. They further checked the convergence of the proposed method.

3.5. Parallel Implementation

Parallel computing is a computational form, in which computations are carried out simultaneously. On one hand, computers using multicore, multiprocessor, and graphics processing unit (GPU) contain multiple processing elements within a single machine. On the other hand, clusters, grids, and clouds employed multiple computers to work on the same task.

3.5.1. Multicore

PSO can be implemented on multicore (multiprocessor) conditions. Waintraub et al. [209] used parallel computation to overcome the huge computational costs required by PSO. They investigated the master-slave approaches and developed several different PPSO algorithms exploring the advantages of enhanced neighborhood topologies implemented by communication strategies in multiprocessor architectures. Yu [210] proposed the incorporation of a local search heuristic into the basic PSO algorithm. The new, hybrid metaheuristic was called twin PSO (TPSO). The proposed metaheuristic scheme was applied to a flow shop with multiprocessors scheduling problem.

3.5.2. GPU Computing

GPU is a specialized electronic circuit designed to rapidly manipulate and alter memory to accelerate the creation of images in a frame buffer intended for output to a display. Modern GPUs are very efficient at manipulating computation of PSO. Hung and Wang [211] focused on the acceleration of PSO for solving box-constrained, load-balanced optimization problems by parallelization on a GPU. They proposed a GPU-accelerated PSO (GPSO) algorithm by using a thread pool model and implement GPSO on a GPU. Numerical results showed that the GPU architecture fitted the PSO framework well by reducing computational timing, achieving high parallel efficiency, and finding better optimal solutions by using a large number of particles. Rymut et al. [212] discussed how to combine particle filter (PF) with PSO to achieve better object tracking. They also proposed a parallel resampling scheme for particle filtering running on GPU. They showed the efficiency of the parallel PF-PSO algorithm on 3D model based human motion tracking. Kumar et al. [213] thought the applications requiring massive computations got benefit from the GPU with compute unified device architecture (CUDA) by reducing the execution time. Hence, they presented a detailed study of parallel implementation of the cooperative PSO (CPSO). They also presented a comparative study on CPSO implemented in C and C-CUDA. Awwad et al. [214] applied GPU computing solution based on CUDA to solve the topology control problem in hybrid radio frequency and free space optics wireless mesh networks by adapting and adjusting the transmission power and the beam-width of individual nodes according to QoS requirements. Their approach was based on a PSO and was implemented on the NVIDIA GeForce GTX 285 GPU. The implementation achieved a performance speedup factor of 392 over a CPU-only implementation. Chen et al. [215] proposed a PSO-based algorithm to efficiently find optimal uniform designs with respect to the central composite discrepancy (CCD) criterion. Parallel computation techniques based on state-of-the-art GPU were employed to accelerate the computations. They further demonstrated that the proposed algorithm could be extended to incorporate desirable space-filling properties, such as the noncollapsing property.

3.5.3. Cloud Computing

Cloud computing is a computing form in which large groups of remote servers are networked to allow centralized data storage and online access to computer services or resources. Scholars studied the performance of PSO implemented in cloud computing. Liu et al. [216] established a job scheduling model based on the PSO algorithm for cloud computing to reduce the energy consumption and improve the profit. Based on open source cloud computing simulation platform CloudSim, compared to GA and random scheduling algorithms, the results showed that the proposed algorithm obtained a better solution concerning the energy cost and profit. Xu and You [217] minimized the thermal residual stresses (TRS) of the unidirectional ceramic matrix composites (CMC) with multilayered interphases by controlling the interphases thicknesses. The MapReduce was extended to a new iterative MapReduce, which was combined with classical PSO algorithm to develop an iterative MapReduce guided PSO (IMPSO) algorithm. The IMPSO algorithm was interfaced with finite element code to find an optimal design for minimizing the TRS within CMCs. Ramezani et al. [218] developed a comprehensive multiobjective model for optimizing task scheduling to minimize task execution time, task transferring time, and task execution cost. They designed a multiobjective algorithm based on MOPSO method to provide an optimal solution for the proposed model. To implement and evaluate the proposed model, they extended Jswarm package to multiobjective Jswarm (MO-Jswarm) package. They also extended CloudSim toolkit applying MO-Jswarm as its task scheduling algorithm. Govindarajan et al. [219] captured the data from students and analyzed and clustered the data based on their individual performances in terms of accuracy, efficiency, and quality. The clustering process was carried out by employing PSO. The proposed PSO-based clustering was compared with existing -means algorithm for analyzing the performance of intercluster and intracluster distances. Finally, the processed data was effectively stored in the Cloud resources using Hadoop distributed file system (HDFS). Ramezani et al. [220] proposed a task-based system load balancing method using PSO (TBSLB-PSO) that achieved system load balancing by only transferring extra tasks from an overloaded VM instead of migrating the entire overloaded VM. They designed an optimization model to migrate these extra tasks to the new host VMs by applying PSO. To evaluate, they extended the cloud simulator (CloudSim) package and used PSO as its task scheduling model.

4. Applications of PSO

PSO has been used in many applications in various academic and industrial fields so far. Using the analytical tool provided by “Web of Science Core Collection,” the hottest application categories are “electrical and electronic engineering,” “automation control systems,” “communication theory,” “operations research,” “mechanical engineering,” “fuel and energy,” “medicine,” “chemistry,” “biology,” and so forth.

4.1. Electrical and Electronic Engineering

PSO was used by researchers to solve the optimization problems encountered in electrical and electronic engineering. Ganguly et al. [221] presented a multiobjective planning approach for electrical distribution systems under uncertainty in load demand incorporating DG. The optimization tool was a MOPSO variant that used heuristic selection and assignment of leaders or guides for efficient identification of nondominated solutions. Komsiyah [222] used Gaussian PSO and Lagrange multiplier to solve the EDP of electric power generation, scheduling the committed generating units outputs so as to meet the required load demand at minimum operating cost, while satisfying all units and system equality and inequality constraint. Feng et al. [223] employed orthogonal signal correction and PSO in order to detect wound infection by and improve the performance of electronic nose. Pekşen et al. [224] proposed a PSO method for estimating the model parameters of a layered anisotropic earth model such as horizontal and vertical resistivities and thickness. The result was promising and the proposed method could be used for evaluating one-dimensional direct current data in anisotropic media. Yang et al. [225] proposed a novel electric vehicle (EV) charging model. A PSO algorithm was proposed for the model optimization. Simulation results showed that the proposed strategy could reduce the operational cost of the power grid considerately, while meeting the EV owner’s driving requirement. de Mendonça [226] used PSO and heuristic information to find the minimum expansion cost of the electrical energy transmission system. The proposed methodology was applied to the Garver system and to two real equivalent systems for the south and southeast of Brazil. Liu et al. [227] employed DPSO to systematically investigate the structural stability and features of tetrahexahedral Pt-based bimetallic nanoparticles with high-index facets. Aich and Banerjee [228] applied SVM for developing the model of electrical discharge machining process, with the aim of predicting the output with reasonable accuracy. PSO was employed for the purpose of optimizing SVM parameter combinations. Chou et al. [229] surveyed defects of reservoir grounding system, considering the performance of lightning protection and improved design, based on soil drilling data and the PSO technique. They showed PSO was indeed better than conventional planning and design method. Lee et al. [230] applied an electrical resistance tomography technique combining the PSO algorithm with the Gauss-Newton method, to the visualization of two-phase flows. Thakral and Bakhshi [231] employed PSO with negative factor counting technique and inverse iteration method, for designing novel binary and ternary copolymers based on thiophene, pyrrole, and furan skeletons. Fister et al. [232] tried to use the semantic tools such as resource definition framework (RDF) and RDF query language (SPARQL) for the optimization purpose. These tools were combined with PSO and the selection of the best solutions depends on its fitness. Aghaei et al. [233] presented a multiobjective optimization algorithm for the multistage distribution expansion planning (MDEP) in the presence of DGs using nonlinear formulations. The objective functions of the MDEP consisted of minimization of costs, energy-not-distributed, active power losses, and voltage stability index based on short circuit capacity. A modified PSO algorithm was developed and used for this multiobjective MDEP optimization. Selakov et al. [234] proposed a practical new hybrid model for short-term electrical load forecasting based on PSO and SVM. Proposed PSO-SVM model was targeted for forecast load during periods with significant temperature variations. The proposed model detected periods when temperature significantly changed based on weather (temperature) forecast and decided whether the model could be trained just on recent history. Shirvany et al. [235] used a modified PSO to solve the electroencephalography (EEG) source localization problem. The method was applied to noninvasive EEG recording of somatosensory evoked potentials for a healthy subject. Tungadio et al. [236] discussed the application of PSO to solve the state estimation problem, that is, to estimate the state variables of the power system by minimizing all measurement errors available at the control center. PSO was shown to be more effective than GA.

4.2. Automatic Control System

PSO has found several applications in automatic control systems. Cai and Yang [237] proposed an improved PSO-based approach for a team of mobile robots to cooperatively search for targets in complex unknown environments. The improved cooperation rules for a multirobot system were applied in the potential field function, which acted as the fitness function of the PSO. Kolomvatsos and Hadjieftymiades [238] held a negotiation between intelligence agents, which undertook the responsibility of representing buyers and sellers and negotiated over the conclusion of purchases. They studied concurrent negotiations between a buyer and a set of sellers. The PSO algorithm was adopted by each thread, which followed a specific strategy and adopted swarm intelligence techniques for achieving the optimal agreement. Pandey et al. [239] presented the load frequency control (LFC) problem using different optimization algorithms for two types of power system configurations. The control scheme proposed was based on linear matrix inequalities with its parameters tuned by PSO. Štimac et al. [240] applied PSO to tune PID controller, using active magnetic bearing that suspended the rotating shaft and maintained it in levitated position by applying controlled electromagnetic forces on the rotor in radial and axial directions. Nedic et al. [241] proposed a new cascade load force control design for a parallel robot platform. A parameter search based on PSO was suggested to effectively search the parameters of the cascade controller. Simulation results showed the advantages of the proposed optimal tuned cascade controller to solve the formulated tracking problem in relation to the classical proportional-integral controller. Chang and Chen [242] aimed at the PID control system design for multivariable input and multivariable output (MIMO) processes. An improved version of PSO algorithm was utilized to design PID control gains in MIMO control systems. The velocity updating formula of the developed algorithm included a new factor, that is, the best particle of each subpopulation, to enhance the search capacity. Xiang et al. [243] proposed a new sensor-less control scheme without the use of a position feedback sensor. With the help of the system identification technique and PSO, the control scheme showed a satisfactory command tracking performance for the conducting polymer actuator’s step and dynamic displacement responses, especially under a disturbance, without needing a physical feedback loop, but using a simulated feedback loop. Danapalasingam [244] presented an autonomous helicopter stabilization in the presence of a wind disturbance. A controller was designed based on the nonlinear adaptive output regulation and robust stabilization of a chain of integrators by a saturated feedback to stabilize the position and velocity of a helicopter. PSO was applied to automate the tuning process. Mahmoodabadi et al. [245] presented a novel MOPSO called Ingenious-MOPSO and compared its capability with three well-known multiobjective optimization algorithms. They applied the proposed method to an intellectual challenge in robotics, that is, a biped robot walking in the lateral plane on slope. Zhong et al. [246] presented an improved PID intelligent control algorithm, which was applied to the electric gas pressure regulator. The algorithm used the improved radial basis function (RBF) neural network based on PSO algorithm to make online adjustment on PID parameters. Both theoretical analysis and simulation result showed that the algorithm shortened the step response time and improved tracking performance. Perng et al. [247] proposed a combination of PSO and RBFNN to determine the optimal operating point for the PID controller of a wind turbine and to identify the stability regions in the parameter space. Huang and Li [248] utilized an improved PSO with bounded constraints technique on velocity and positioning for adjusting the gains of a PID and iterative learning control (MC) controllers. Simulations and experiment results showed that the proposed controller could reduce the error significantly after two learning iterations. The developed method using bounded constraints technique provided valuable programming tools to practicing engineers. Nisha and Pillai [249] demonstrated control accuracy and computational efficiency of nonlinear model predictive control (NMPC) strategy, which utilized a probabilistic sparse kernel learning technique called relevance vector regression (RVR) and PSO with controllable random exploration velocity (PSO-CREV).

4.3. Communication Theory

An interesting application area of PSO is communication theory. Yousefi et al. [250] presented the design procedure and implementation of a dual band planar quadrature hybrid with enhanced bandwidth. Small dual frequency transformers in two sections were used to modify conventional broad band hybrid coupler for having arbitrary dual band operation frequencies. By merging compilers and full-wave simulators, PSO was used to achieve proper values to have desired goals. Sun et al. [251] applied PSO algorithm to design ultrawideband (UWB) pulse waveform, which was converted into a constraint problem with multiband chirp signals. Yongqiang et al. [252] investigated the receive antenna selection problem to maximize capacity in wireless MIMO communication system, which could be formulated as an integer programming optimization problem and could not be directly solved because of its nonconvex characteristics caused by the discrete binary antenna selection factor. Hence, they introduced PSO, in which the particle was defined as the discrete binary antenna selection factor and the objective function was associated with the capacity corresponding to the specified antenna subsection represented by the particle. Chiu et al. [253] presented a method for determining the required number and locations of transmitting antennas (TXs) to optimize wireless propagation coverage in an indoor UWB communication system. They used the 3D ray-tracing technique associated with a PSO and Asynchronous PSO (APSO) for optimizing the TXs location in an indoor environment. Minasian and Bird [254] applied PSO as a design tool for a parasitically coupled microstrip antenna array. The antenna was characterized by a unique nonintuitive design which resulted from an application of PSO with no constraints implemented on the shape of the array during optimization apart from the maximum dimensions. Zubair and Moinuddin [255] used PSO for joint optimization of three different shape-printed monopole antennas, namely, printed square monopole antenna, printed circular monopole antenna, and printed hexagonal monopole antenna, for UWB applications. Kim and Lee [256] applied metaheuristic to solve the optimum scheduling of multiple channels and time slots in multihop networks. SA and PSO were adopted to schedule the resources. The simulation results demonstrated that PSO-based scheduling outperformed SA-based scheduling in terms of end-to-end delay. Yazgan and Hakki Cavdar [257] comparatively studied PSO and least mean square (LMS) algorithms to estimate the optical communication channel parameters for radio over fiber systems. PSO reached better mean square error values, when selecting high noisy fiber optical channels or free space optical channels. Rabady and Ababneh [258] employed PSO to reach a global optimal design for optical interference filters, which were widely used in modern optical communication systems, biomedical applications, astronomy, and many others. Das et al. [259] applied ANN training with PSO for the problem of channel equalization. Existing applications of PSO to ANN training had only been used to find optimal weights of the network. Novelty in this paper was that it also took care of appropriate network topology and transfer functions of the neuron. The PSO algorithm optimized all the variables, including network weights and network parameters. Scott-Hayward and Garcia-Palacios [260] introduced a resource allocation solution capable of handling mixed media applications within the constraints of a 60 GHz wireless network. A new channel time allocation PSO (CTA-PSO) was proposed to solve the network utility maximization resource allocation problem. CTA-PSO optimized the time allocated to each device in the network in order to maximize the quality of service experienced by each user. Omidvar and Mohammadi [261] used PSO in intelligent choosing of number of message copies. Regarding message delivery ratio and network overhead, PSO greatly helped in finding the suitable number of copies. Kuila and Jana [262] presented linear/nonlinear programming formulations of energy efficient clustering and routing problems for wireless sensor networks. They proposed two PSO-based algorithms to solve the optimization problem.

4.4. Operations Research

PSOs have been employed to solve problems in operations research. Liu and Wang [263] proposed a new task scheduling model. In the model, the task execution time was optimized in view of both the task running time and the system resource utilization. They improved the standard PSO and introduced a simple mutation mechanism and a self-adapting inertia weight method by classifying the fitness values. Che et al. [264] proposed a novel method based on the analytic network process and turbo PSO to evaluate partners and to determine an optimal supply chain network pattern and production-distribution mode. Hajipour and Pasandideh [265] focused on determination of the number of required facilities along with the relevant allocation process. They first proposed a novel biobjective facility location problem within batch arrival queuing framework under capacity, budget, and nearest-facility constraint. Then, PSO algorithm with considering a specific representation process was proposed to solve the biobjective problem. Cabrerizo et al. [266] used PSO to solve the granulation of the linguistic terms problem. A performance index was maximized by a suitable mapping of the linguistic terms on information granules. Prescilla and Selvakumar [267] applied a modified BPSO algorithm and a novel BPSO algorithm to solve the real-time task assignment in heterogeneous multiprocessor. The problem consisted of a set of independent periodic tasks, which had to be assigned to a heterogeneous multiprocessor without exceeding the utilization bound. The objective was to schedule maximum number of tasks with minimum energy consumption. Duan et al. [268] developed a multiple UCAVs cooperative air combat simulation platform, which was based on PSO, ACO, and game theory. The Matlab program was used as the developing tool. The practitioners could investigate the inherent mechanism by applying game theory to solve the mission decision-making problem of multiple UCAVs in attacking multiple objects. Belmecheri et al. [269] proposed a PSO with a local search to solve the vehicle routing problem (VRP) with heterogeneous fleet, mixed backhauls, and time windows. Hu et al. [270] proposed a hybrid chaos PSO (HPSO) to solve VRP with time window. The chaos algorithm was employed to reinitialize the particle swarm. An efficient insertion heuristic algorithm was also proposed to build the valid vehicle route in the particle decoding process. A premature convergence judgment mechanism was formulated and combined with the chaos algorithm and Gaussian mutation into HPSO when the particle swarm fell into the local convergence. Al Badawi and Shatnawi [271] developed an efficient method based on PSO to solve the multiprocessor task scheduling problem, which determined the assignment of tasks to the processors in a multiprocessor environment. Goksal et al. [272] presented a heuristic solution approach based on PSO, in which a local search was performed by variable neighborhood descent algorithm to solve the VRP with simultaneous pickup and delivery. Zhang et al. [273] first formulated and described the energy-aware real-time task scheduling problem in heterogeneous multiprocessors. Then they proposed a PSO-based algorithm, which could successfully reduce the energy cost and the time for searching feasible solutions. Kechagiopoulos and Beligiannis [274] designed a PSO-based algorithm, aiming at the efficient solution of urban transit routing problem, which comprised an NP-hard problem that dealt with the construction of route networks for public transit networks.

4.5. Mechanical Engineering

A few applications of PSO are related to mechanical engineering. Ming et al. [275] investigated the implicit relationship between the compositions and mechanical properties of as-cast Mg-Li-Al alloys. A momentum back-propagation (BP) neural network with a single hidden layer was established. PSO was applied to optimize the BP model. Chen et al. [276] aimed to develop a method for reliability-based optimum design of composite structures. A procedure combining PSO and finite element analysis (FEA) was proposed. Examples showed that the proposed method had good stability and was efficient in dealing with the probabilistic optimal design of composite structures. Mohan et al. [277] evaluated the use of frequency response function (FRF) with the help of PSO technique, for structural damage detection and quantification. It was observed that the use of FRF as response of damaged structure had led to better accuracy, since it contained data related to mode shape in addition to natural frequencies. Chen et al. [278] applied a surrogate based PSO algorithm, which combined the surrogate modeling technique and PSO, to the reliability-based robust design (RBRD) of composite pressure vessels. An optimization problem for maximizing the performance factor was formulated by choosing the winding orientation of the helical plies in the cylindrical portion, the thickness of metal liner, and the drop-off region size as the design variables. Strength constraints for composite layers and the metal liner were constructed by using Tsai-Wu failure criterion and Mises failure criterion, respectively. Zhang et al. [279] presented a methodology for the identification of parameter values in the Barcelona basic model (BBM) by inverse analysis of the experimental cavity pressure-cavity strain curve from pressure-meter tests in unsaturated soils. A novel parallel PSO algorithm was utilized to minimize the difference between measured and computed values on the cavity pressure-cavity strain curve. Wang et al. [280] proposed a decomposition-based multiobjective differential evolution PSO (DMDEPSO) algorithm for the design of a tubular permanent magnet linear synchronous motor (TPMLSM), which took into account multiple conflicting objectives. DMDEPSO hybridized DE and PSO together, first decomposed the multiobjective optimization problem into a number of single-objective optimization subproblems, each of which was associated with a Pareto optimal solution, and then optimized these subproblems simultaneously. Lazrag et al. [281] aimed to identify all the hydraulic parameters of sand by using a unique column test, which was a gravity drainage test where only the flow-rate temporal evolution was measured. They used several tensiometers installed in different positions along the column to measure the pressure head inside the soil sample. Inverse analysis was performed thanks to the PSO algorithm and the finite element modeling of the column test. Lee et al. [282] first developed 3D numerical models of a fractured femur with the locking compression plates (LCP). Then, the best screw position and number of LCPs were determined by using a simulation-based PSO algorithm, in order to discover the best number and positions of LCP screws to achieve acceptable fixation stability. Lake et al. [283] used PSO to optimize the geometry of a slotted MEMS resonator, in order to reduce energy dissipation from thermoelastic dissipation (TED). The optimization technique combined fundamental physics with PSO to navigate the complicated design space that arises from multiphysical problems. Vosoughi and Gerist [284] proposed a hybrid optimization technique that combines FEA, continuous GA, and PSO, for damage detection of laminated composite beams. Ribeiro et al. [285] investigated the geometric effects (thickness, width, and internal cell angle) of auxetic structures made of recycled rubber composites based on experimental and numerical data. The response surface models integrated with the PSO and FEA were proposed in order to obtain a range of solutions that provided useful information to the user during the selection of geometric parameters for reentrant cells. Kitak et al. [286] presented a method for determination of heat transfer coefficients for finite-element method housing model of medium-voltage switchgear cell. Suggested method was based on the PSO algorithm. A real test model of partition wall had been created as well as an equivalent numerical finite-element model. Kalatehjari et al. [287] applied PSO in 3D slope stability problem to determine the critical slip surface of soil slopes. In the contrast, past publications were limited to 2D slope stability analysis.

4.6. Civil Engineering

PSO was widely used to solve the optimization problems existing in civil engineering. Ashuri and Tavakolan [288] presented a hybrid GA-PSO approach to solve complex time-cost-resource optimization problem in construction project planning. The proposed method also used the fuzzy set theory to characterize uncertainty about the input data (i.e., time, cost, and resources required to perform an activity). Experiments showed that the proposed fuzzy enabled hybrid GA-PSO approach was superior to existing optimization algorithms at finding better project schedule solutions with less total project cost, less total project duration, and less total variation in resource allocation. Bozorgi-Amiri et al. [289] investigated a relief chain design problem where not only demands but also supplies and the cost of procurement and transportation were considered as the uncertain parameters. An efficient solution approach based on PSO was developed in order to solve the proposed mathematical model. Sadoghi Yazdi et al. [290] used a neurofuzzy model in conjunction with PSO for calibration of soil parameters used within a linear elastic-hardening plastic constitutive model with the Drucker-Prager yield criterion. The neurofuzzy system was used to provide a nonlinear regression between the deviatoric stress and axial strain obtained from a consolidated drained triaxial test on samples of poorly graded sand. The soil model parameters were determined in an iterative optimization loop with PSO and an adaptive network based on a fuzzy inference system such that the equations of the linear elastic model and (where appropriate) the hardening Drucker-Prager yielded criterion are simultaneously satisfied. Bolat et al. [291] developed a particle swarm optimization (PSO) algorithm to deal with car-call allocation problem. In vertical transportation, when a passenger makes a hall call by pressing a landing call button installed at the floor and located near the cars of the elevator group, the complex-elevator-group-control system must allocate one of the cars of the group to the hall call. Babu and Vijayalakshmi [292] presented a hybrid model PSO-GA, aimed at effectively utilizing local and global search capabilities of PSO and GA, respectively, to reduce the computational burden. Their analyses on different water distribution networks uncovered that the proposed hybrid model was capable of exploring the optimal combination of pipe diameters with minimal computational effort. Mohan et al. [293] showcased the efficacy of PSO and GA in damage assessment of structures, for early detection of cracks, corrosion, and structural failure in aging structures. The results showed the effectiveness of PSO in crack identification and the possibility of implementing it in a real-time structural health monitoring system for aircraft and civil structures. Asadnia et al. [294] presented the application of an improved PSO technique for training an ANN to predict water levels for the Heshui Watershed, China. The results indicated that the LM-NN model performed poorly in predicting the low and peak water levels in comparison to the PSO-based ANNs. Moreover, the IPSONN model was superior to CPSONN in predicting extreme water levels. Lastly, IPSONN had a quicker convergence rate compared to CPSONN. Yan et al. [295] presented a new imaging-based intelligent method for quantitatively rating the corrosion states of weathering steel bridges. To enhance the performance of a SVM in corrosion state classification, a PSO was developed to obtain the optimal parameters of the SVM. Their comparative study indicated that PSO-SVM could achieve better classification accuracy rates than ANN did. Wang and Li [296] advanced PSO and applied it to find effectively near-optimal solutions to the redundancy allocation problem of multistate systems with bridge topology, which was a commonly used structure for load balancing and control in applications such as electric power generation and transmission, transportation and computer networks, and electronic circuits. Sadeghi et al. [297] used an improved PSO to optimize a hybrid vendor-managed inventory and transportation problem with fuzzy demand. The parameters of both algorithms were calibrated using the Taguchi method to have better quality solutions. Kanović et al. [298] presented the comparison of some well-known global optimization techniques in optimization of an expert system controlling a ship locking process. The purpose was to find the best algorithm for optimization of membership function parameters of fuzzy expert system for the ship-lock control. The results confirmed that all these procedures showed similar results and provided overall improvement of ship-lock operation performance.

4.7. Fuel and Energy

PSO had been introduced for the fuel and energy area. Mandal et al. [299] described the problem of short-term wind power production forecasting based on meteorological information. Aggregated wind power forecasts were produced for multiple wind farms using a hybrid intelligent algorithm that used a data filtering technique based on wavelet transform (WT) and a soft computing model based on neural network, which was optimized by using PSO algorithm. Chao [300] presented an adaptive maximum power point (MPP) tracking approach for PV power generation system. An optimization approach was proposed on the basis of a PSO algorithm for the complexity reduction in the determination of weighting values. Chen et al. [301] proposed chaotic improved PSO-based multiobjective optimization (MOCIPSO) and improved PSO-based multiobjective optimization (MOIPSO) approaches, for solving complex multiobjective, mixed integer nonlinear problems such as minimization of power losses and L index in power systems simultaneously. Hu et al. [302] presented a data-driven method for estimating the capacity of Li-ion battery based on the charge voltage and current curves. An adaptation of PSO was proposed to find the optimal combination of feature weights for creating a kNN regression model that minimizes the cross validation (CV) error in the capacity estimation. Tabet et al. [303] used a mathematical model to determine the solar radiation incident on an inclined surface and the optimum slope angles for each month, season, and year are calculated for solar hybrid collectors. PSO method was applied to obtain the tilt angle setting of the tilt angle of photovoltaic thermal (PVT) hybrid collector. The objective was to improve the efficiency of PVT collector. Bahrami et al. [304] thought STLF (short-term electric load forecasting) played an important role in the operation of power systems. A new model based on combination of the WT and grey model (GM) was presented for STLF and was improved by PSO algorithm. Askarzadeh [305] studied the performance of different PSO variants for estimating Iran’s electricity demand. Seven PSO variants, namely, original PSO, PSO-w (PSO with weighting factor), PSO-cf (PSO with constriction factor), PSO-rf (PSO with repulsion factor), PSO-vc (PSO with velocity control), CLPSO (comprehensive learning PSO), and a MPSO (modified PSO), were used to find the unknown weighting factors based on the data from 1982 to 2003. Sharafi and ElMekkawy [306] proposed a novel approach for optimal design of hybrid renewable energy systems (HRES) including various generators and storage devices. The epsilon-constraint method was applied to minimize simultaneously the total cost of the system, unmet load, and fuel emission. A PSO-simulation based approach was used to tackle the multiobjective optimization problem. García-Triviño et al. [307] presented and evaluated three energy management systems (EMSs) based on PSO for long-term operation optimization of a grid-connected hybrid system. It was composed of wind turbine (WT) and PV panels as primary energy sources and hydrogen system (fuel cell, electrolyzer and hydrogen storage tank) and battery as energy storage system (ESS). Biao et al. [308] proposed and established an electricity market based joint optimization scheduling model of thermal power plants, from the perspective of economics and environmental science. Mutation PSO (MPSO) was proposed to solve the model. Using an authentication instance, they compared and analyzed the performances of the MPSO method and the mixed integer programming method in solving the model. Chen et al. [309] proposed a sliding mode extremum seeking control (SMESC) of chaos embedded PSO (CEPSO) algorithm, applied to the design of MPP tracking in wind power systems. Its features were that the control parameters in SMESC were optimized by CEPSO, making it unnecessary to change the output power of different wind turbines, the designed in-repetition rate was reduced, and the system control efficiency was increased. Seyedmahmoudian et al. [310] aimed to employ PSO in MPP detection, while most conventional MPP tracking methods developed errors under certain circumstances and reduced the efficiency of PV systems even further. Aman et al. [311] presented a new approach for optimum simultaneous multi-DG placement and sizing based on maximization of system loadability without violating the system constraints. DG penetration level, line limit, and voltage magnitudes were considered as system constraints. Hybrid PSO algorithm was also proposed to find the optimum solution considering maximization of system loadability and the corresponding minimum power losses. Xiao and Huang [312] proposed an optimization method combining PSO with FEA to design the heating system for rapid thermal cycling molding mold, aiming at high heating efficiency and uniform cavity surface temperature distribution. Lian et al. [313] proposed a MPP tracking method based on PSO in order to track the global maximum point. The proposed method was better than conventional MPP tracking methods such as perturb-and-observe method that could only track the first local maximum point and stop progressing to the next maximum point.

4.8. Medical Engineering

In medicine, Qasem and Shamsuddin [314] introduced a time variant MOPSO (TVMOPSO) of RBF network for diagnosing the medical diseases. The approach was tested on three standard datasets from UCI machine learning repository. Zhang et al. [315] developed an adaptive CPSO to train the parameters of feed-forward neural network, with the aim of accurate classification of magnetic resonance (MR) brain images. Their results on 160 images showed the classification accuracy of the proposed method was 98.75%. Guo et al. [316] proposed an adaptive PSO with neighborhood search to obtain the position and orientation of the medical microdevices. Experimental results showed that the tracking method was valid and the modified algorithm succeeded in dealing with the nonlinear system of equations in localization. Chang et al. [317] applied a PSO model to construct a decision-making system for diseases identification. The average forecasting accuracy for breast cancer was 97.4% and for liver disorders was 76.8%. Chen et al. [318] proposed an analytical approach by integrating PSO and the 1-NN method. The proposed approach was applied to an actual case on the diagnosis of obstructive sleep apnea (OSA). Sung and Chiang [319] examined wireless sensor network with real-time remote identification using the Android study of things (HCIOT) platform in community healthcare. An improved PSO method was proposed to efficiently enhance physiological multisensors data fusion measurement precision in the Internet of Things (IOT) system. Cruz-Aceves et al. [320] presented a novel image segmentation method based on multiple active contours driven by PSO (MACPSO), which was used to segment the human heart and the human left ventricle from datasets of sequential computed tomography and MR images, respectively. Subasi [321] proposed a novel PSO-SVM model that hybridized the PSO and SVM in order to improve the electromyography (EMG) signal classification accuracy. Zhang et al. [322] proposed a novel hybrid system to classify a given MR brain image as either normal or abnormal. They used PSO to optimize the parameters and sigma, which were the key parameters of kernel SVM (KSVM). The results showed that the PSO was more effective to build optimal KSVM than random selection method. Mangat and Vig [323] discussed a rule mining classifier called DA-AC (dynamic adaptive-associative classifier), which was based on a dynamic particle swarm optimizer. It could avoid premature convergence and provided a better value in every dimension. The method was then applied to predict life expectancy of postoperative thoracic surgery patients. Mandal et al. [324] formulated the fitting energy minimization problem to be solved using PSO technique. The algorithm was developed for two-phase level set implementation of the Chan and Vese model and it was successfully utilized for both scalar-valued and vector-valued medical images. Hsieh et al. [325] proposed a class of hyperrectangular composite neural networks (HRCNNs) of which synaptic weights could be interpreted as a set of crisp If-Then rules and proposed a PSO-based fuzzy hyperrectangular composite neural network (PFHRCNN) which applied PSO to trim the rules generated by a trained HRCNN while the recognition performance would not be degraded or even be improved. Ganapathy et al. [326] proposed a new pattern classification system by combining temporal features with fuzzy min-max (TFMM) neural network based classifier for effective decision support in medical diagnosis. A PSO algorithm based rule extractor was also proposed for improving the detection accuracy.

4.9. Chemical Engineering

In chemistry, Thakral et al. [327] adopted PSO along with negative factor counting technique and inverse iteration method (IIM) for investigating the electronic properties of a model binary copolymer, of Type I class of quasi one-dimensional polymeric superlattices. Parastar et al. [328] proposed a multivariate curve resolution-PSO (MCR-PSO) algorithm to exploit pure chromatographic and spectroscopic information from multicomponent hyphenated chromatographic signals. Khajeh et al. [329] developed a simple and fast method for preconcentration and determination of trace amount of methylene blue from water samples by silver nanoparticles based solid-phase extraction method and UV-Vis spectrophotometry. Response surface methodology and hybrid of ANN-PSO were used to develop predictive models for simulation and optimization of solid-phase extraction method. Wu et al. [330] predicted CO2 solubility in polymers by RBF-ANN, based on a chaotic self-adaptive PSO (CSPSO) and fuzzy clustering method. The proposed method was also used to investigate solubility of CO2 in polystyrene, polypropylene, poly(butylene succinate), and poly(butylene succinate-co-adipate), respectively. Khajeh and Dastafkan [331] proposed a hybrid of ANN and PSO to develop predictive models for simulation and optimization of solid-phase extraction method, with the aim of developing a simple and fast method for preconcentration and determination of trace amount of molybdenum from water samples by silver nanoparticles based solid-phase extraction method and UV-Vis spectrophotometry. Thakral et al. [332] investigated the electronic properties of the novel binary and ternary copolymers using PSO in combination with simple negative factor counting and inverse iteration method, using the ab initio Hartree Fock crystal orbital band structure results of the homopolymers, namely, polypyrrolo[]pyrrole, polythieno[]thiophene, and polyfurano[]furan. Sun and Li [333] provided two improved mathematical expressions of attenuation function to quantify the effect of water in the process of methanol transformed to olefins on SAPO-34. Double PSO was employed to minimize the error objective function and the calculated values agree well with the experimental data. Skvortsov [334] researched on the rotation ambiguity (RA) in multivariate curve resolution (MCR), which was an undesirable case when the physicochemical constraints were not sufficiently strong to provide a unique resolution of the data matrix of the mixtures into spectra and concentration profiles of individual chemical components. They proposed a method to estimate RA with charged PSO (cPSO). cPSO-MCR was shown to be capable of estimating the strength of the constraints and of revealing RA in noisy data. Khansary and Sani [335] aimed for the prediction of liquid-liquid equilibria (LLE), Wilson, universal quasi chemical (UNIQUAC) and nonrandom two liquid (NRTL) models were used. Evolutionary algorithms such as GA and PSO were used for estimation of binary interaction parameters of these models. The reliability of GA and PSO in LLE applications was successfully approved. Nasimi and Irani [336] combined PSO with a BP algorithm to form a new learning algorithm for training artificial neural networks. This strategy was applied to model a highly nonlinear system of yeast fermentation bioreactor. Based on the results comparison, the PSO-BP model was found to be superior to the BP-ANN model in identification of nonlinear systems.

4.10. Biological Engineering

Saraswathi et al. [337] used a combination of integer-coded GA and PSO, coupled with the neural-network-based extreme learning machine (ELM), for gene selection and cancer classification. The proposed algorithm could handle sparse data and sample imbalance. Mansour et al. [338] presented a PSO-based algorithm for predicting protein structures in the 3D hydrophobic polar model. Starting from a small set of candidate solutions, their algorithm efficiently explored the search space and returns 3D protein structures with minimal energy. Karabulut and Ibrikci [339] proposed a PSO-based motif-finding method that utilized a proven Bayesian scoring scheme as the fitness function to identify transcription factor binding sites, which was a vital task in contemporary biology, since it helped researchers to comprehend the regulatory mechanism of gene expression. Liu et al. [340] established a classifier based on the two-layer PSO (TLPSO) algorithm and uncertain training sample sets. Samples of diffuse large B cell lymphoma (DLBLC) gene expression data were used for training and validating. The classification stability and accuracy by the proposed TLPSO algorithm increased significantly compared with the results obtained by using algorithms known as PSO and -means. Salahi et al. [341] applied a variant of PSO with linear decreasing inertia weight to solve the problem of finding the global minimum of multifunnel-shaped functions with many local minima, which was a well-known and interesting problem in computational biology. Du et al. [342] presented construction of gene network using combined QPSO and K2 algorithm. Results showed QPSO-K2 algorithm performed better than stand-alone K2 and QPSO for all datasets. Chuang et al. [343] compared patients with high and low facial emotion perception (FEP) performances ( and 93, resp.). A PSO algorithm was used to identify the best single-nucleotide polymorphisms (SNP) barcodes, that is, the SNP combinations and genotypes that revealed the largest differences between the high and low FEP groups. Mandal and Mukhopadhyay [344] organized the feature selection problem as a graph-theoretic problem where a feature-dissimilarity graph was shaped from the data matrix. They proposed a multiobjective BPSO that optimized average node-weight and average edge-weight of the candidate subgraph simultaneously. The proposed algorithm was applied for identifying relevant and nonredundant disease-related genes from microarray gene expression data. Chen et al. [345] developed a novel method utilizing PSO combined with a decision tree as the classifier to achieve efficient gene selection from thousands of candidate genes that could contribute in identifying cancers. Based on statistical analysis, the proposed method outperformed other popular classifiers for all test datasets and was compatible to SVM for certain specific datasets. García Nieto et al. [346] focused on turbidity parameter and how it was influenced by other water quality parameters in order to simplify water quality controls since they were expensive and time consuming. Turbidity values were predicted here by using the hybrid PSO-SVM-based model from the remaining measured water quality parameters (input variables) in the Nalon River basin (Northern Spain) with success.

5. Discussion and Conclusion

5.1. Adherence to SI Principles

Revisiting Section 2, we can find close adherence of PSO to the five SI principles by Millonas [15]. They can be expressed in Table 3. When the behavior of particle swarm explained below is reexamined, it is clear that the four principles of self-organization defined by Bonabeau et al. [14] are also fully satisfied.

5.2. Drawback, Improvement, and Innovation

Like all other SI-based optimization approaches, PSO has some drawbacks like premature, high computational complexity, slow convergence, sensitivity to parameters, and so forth. The reasons behind the problems are complicated. One potential reason is that PSO does not utilize the crossover operator as employed in GA or DE; hence the distribution of good information between candidates is not at a required level. Another reason may fall within the fact that PSO does not appropriately handle the relationship between exploitation (local search) and exploration (global search), so it usually converges to a local minimum quickly.

To address abovementioned problems, scholars have proposed many solutions listed in Section 3 (summarized in Table 4), which can be divided into following three types.(i)Major modifications, including quantum-behaved PSO, bare-bones PSO, chaotic PSO, fuzzy PSO, PSOTVAC, OPSO, SPSO, and topology.(ii)Minor modifications, including constriction coefficient, velocity clamping, trap detection, adaptive parameter, fitness-scaling, surrogate modeling, cooperative mechanism, boundary shifting, position resetting, entropy map, ecological behavior, jumping-out strategy, preference strategy, neighborhood learning, and local search.(iii)Hybridization, PSO being hybridized with GA, SA, TS, AIS, ACO, HS, ABC, DE, and so forth.

Now there are over hundreds of both various PSO variants and test functions at present. It is impossible for each newly proposed PSO variant to compare with all other variants and to go through all test functions. Therefore, it is difficult to proclaim which type of modification is better or promising. In our opinion, it is important and essential to create a platform, to which the authors who proposed PSO variants can submit their programs. After the comprehensive and fair comparison, we then can conclude which PSO variant is the winner. Particularly, the design of PSO without parameters is worth studying.

Success of PSO as a single-objective optimizer for processing continuous optimization problem has motivated researchers to extend the use of PSO to other optimization fields, like multiobjective optimization, constrained optimization, and discrete optimization (binary optimization and combinatorial optimization).(i)For multiobjective optimization, the optimizer needs to consider Pareto dominance every time it updates particles and store nondominated solutions to approximate the Pareto front.(ii)For constrained optimization, both infeasible and feasible solutions should be generated at the search stage, and constraints are dealt with when evaluating solutions using penalty factor(iii)For discrete optimization, a commonly used method is to map the discrete space to a continuous domain and apply standard PSO, followed by demapping the results. However, that method is not efficient and costs high computational resources. Particular PSO-based methods have been developed as discrete PSO, binary PSO, and their variants.

Study of PSO in those fields had impressive achievements; however, lack of in-depth research on theoretical aspects impaired its application potentials. We believe it should be interesting to perform a more comprehensive theoretical study of both the run-time and convergence properties of PSO and its variants. Other aspects such as fitness landscapes and dynamics of PSO are also very attractive theoretical research directions.

For the programmers, writing parallel programs are more difficult than to write sequential programs, since they need to take into consideration the communication and synchronization between different subtasks. Therefore, there are merely a few publications related to PSO implemented in parallel. Some new computational forms are worth investigating within the next years, such as performing PSO in computer clusters, in grid computing, and in MPP (massively parallel processor).In addition to them, different computational levels of parallel computing are also interesting: bit-level, instruction-level, data-level, and task-level.

5.3. Trends of Applications

The first practical application of PSO was in the field of ANN training and was reported together with the algorithm itself [6]. Many areas of application were explored ever since. In addition to what we discussed in Section 4 (see Table 5), there are thousands of publications reporting application of PSO to other fields. Due to the page limit, we cannot list all of them.

From the table, it is clear that the distribution of PSO exceeded our expectations. It is now applied to nearly every discipline that comes across optimization problems. Generally, PSO can be applied for optimization in dynamic and uncertain environments. The engineers need to first transform the problem to an optimization problem and then apply PSO to solve it.

Several research topics need to be fully investigated in future, since there are so far either no or merely few publications applying PSO to the optimization problem in those fields including what follows.(i)Symbolic regression, which is a type of regression analysis that searches the space of mathematical expressions to find the model that best fits a given dataset, both in terms of accuracy and simplicity, is a crucially important theoretical and practical problem.(ii)Floorplanning is to design the layout of equipment in a factory or components on a computer chip to reduce manufacturing time.(iii)Weapon target assignment problem is to find an optimal assignment of a set of weapons of various types to a set of targets in order to maximize the expected damage done to the opponent.(iv)Supply chain management is the systemic, strategic coordination of the traditional business functions and the tactics across these business functions within a particular company and across businesses within the supply chain, for the purposes of improving the long-term performance of the individual companies and the supply chain as a whole [347].(v)Nurse scheduling problem [348] is to find an optimal way to assign nurses to shifts, typically with a set of hard constraints in which all valid solutions must follow and a set of soft constraints which define the relative quality of valid solutions.(vi)Queuing theory is the mathematical study of waiting lines. In queueing theory a model is constructed so that queue lengths and waiting times can be predicted to make business decisions about the resources needed [349].

5.4. Publication Analysis

Figure 3 demonstrated the number of publications related to PSO against year. It is clearly observed that the number of publications increases exponentially from 2000 to 2006, and then it fluctuates constantly and continually around about 1,000 publications per year from 2007 to 2013. We can conclude that the research in PSO has arrived at mature stage, and we expect a lot of more results within the coming few years.

Acronyms

ABC:Artificial bee colony
ACO:Ant colony optimization
AI:Artificial intelligence
AIS:Artificial immune system
ANN:Artificial neural network
BA:Bat algorithm
BBO:Biogeography-based optimization
BBPSO:Bare-bones PSO
BCI:Brain-computer interface
BFO:Bacterial foraging optimization
BP:Back-propagation
BPSO:Binary PSO
CI:Computational intelligence
CPSO:Chaotic PSO
CUDA:Compute unified device architecture
DCT:Discrete cosine transform
DE:Differential evolution
DG:Distributed generation
DPSO:Discrete PSO
EC:Evolutionary computation
EDP:Economic dispatch problem
EEG:Electroencephalography
ELD:Economic load dispatch
EMG:Electromyography
FCM:Fuzzy c-means
FEA:Finite element analysis
FPSO:Fuzzy PSO
GA:Genetic algorithm
GP:Genetic programming
GPU:Graphics processing unit
GSA:Gravitational search algorithm
GSO:Glowworm swarm optimization
HS:Harmonic search
HDFS:Hadoop distributed file system
KSVM:Kernel SVM
MIMO:Multivariable input and multivariable output
MLE:Maximum likelihood estimate
MOL:Many Optimizing Liaisons
MOPSO:Multiple objective PSO
MPP:Maximum power point
MR:Magnetic resonance
MRP:Multicast routing problem
MST:Minimal spanning tree
OBL:Opposition-based learning
OPSO:Opposition-based PSO
PID:Proportional-integral derivate
PSO:Particle swarm optimization
PSOTVAC:PSO with TVAC
PV:Photovoltaic
QPSO:Quantum-behaved PSO
RBF:Radial basis function
SA:Simulated annealing
SBS:Sequential backward selection
SFS:Sequential forward selection
SI:Swarm intelligence
SPSO:Simplified PSO
SQP:Sequential quadratic programming
SVM:Support vector machine
SVRM:Support vector regression machine
TS:Tabu search
TSP:Traveling salesman problem
TVAC:Time-varying acceleration coefficients
UAV:Unmanned aerial vehicle
UCAV:Unmanned combat aerial vehicle
UWB:Ultrawideband
VRP:Vehicle routing problem
WT:Wavelet transform.

Conflict of Interests

The authors declare that there is no conflict of interests regarding the publication of this paper.

Acknowledgments

This work was supported by NSFC (no. 610011024), Program of Natural Science Research of Jiangsu Higher Education Institutions of China (no. 14KJB520021), Jiangsu Key Laboratory of 3D Printing Equipment and Manufacturing (BM2013006), and Nanjing Normal University Research Foundation for Talented Scholars (no. 2013119XGQ0061).