fbpx
Wikipedia

Adaptive Simpson's method

Adaptive Simpson's method, also called adaptive Simpson's rule, is a method of numerical integration proposed by G.F. Kuncir in 1962.[1] It is probably the first recursive adaptive algorithm for numerical integration to appear in print,[2] although more modern adaptive methods based on Gauss–Kronrod quadrature and Clenshaw–Curtis quadrature are now generally preferred. Adaptive Simpson's method uses an estimate of the error we get from calculating a definite integral using Simpson's rule. If the error exceeds a user-specified tolerance, the algorithm calls for subdividing the interval of integration in two and applying adaptive Simpson's method to each subinterval in a recursive manner. The technique is usually much more efficient than composite Simpson's rule since it uses fewer function evaluations in places where the function is well-approximated by a cubic function.

Simpson's rule is an interpolatory quadrature rule which is exact when the integrand is a polynomial of degree three or lower. Using Richardson extrapolation, the more accurate Simpson estimate for six function values is combined with the less accurate estimate for three function values by applying the correction . So, the obtained estimate is exact for polynomials of degree five or less.

Mathematical Procedure edit

Defining Terms edit

A criterion for determining when to stop subdividing an interval, suggested by J.N. Lyness,[3] is

 

where   is an interval with midpoint  , while  ,  , and   given by Simpson's rule are the estimates of  ,  , and   respectively, and   is the desired maximum error tolerance for the interval.

Note,  .

Procedural Steps edit

To perform adaptive Simpson's method, do the following: if  , add   and   to the sum of Simpson's rules which are used to approximate the integral, otherwise, perform the same operation with   and   instead of  .

Numerical consideration edit

Some inputs will fail to converge in adaptive Simpson's method quickly, resulting in the tolerance underflowing and producing an infinite loop. Simple methods of guarding against this problem include adding a depth limitation (like in the C sample and in McKeeman), verifying that ε/2 ≠ ε in floating-point arithmetics, or both (like Kuncir). The interval size may also approach the local machine epsilon, giving a = b.

Lyness's 1969 paper includes a "Modification 4" that addresses this problem in a more concrete way:[3]: 490–2 

  • Let the initial interval be [A, B]. Let the original tolerance be ε0.
  • For each subinterval [a, b], define D(a, b), the error estimate, as  . Define E = 180 ε0 / (B - A). The original termination criteria would then become DE.
  • If the D(a, m) ≥ D(a, b), either the round-off level have been reached or a zero for f(4) is found in the interval. A change in the tolerance ε0 to ε′0 is necessary.
    • The recursive routines now need to return a D level for the current interval. A routine-static variable E' = 180 ε'0 / (B - A) is defined and initialized to E.
    • (Modification 4 i, ii) If further recursion is used on an interval:
      1. If round-off appears to have been reached, change the E' to D(a, m).[a]
      2. Otherwise, adjust E' to max(E, D(a, m)).
    • Some control of the adjustments is necessary. Significant increases and minor decreases of the tolerances should be inhibited.
  • To calculate the effective ε′0 over the entire interval:
    • Log each xi at which the E' is changed into an array of (xi, εi' ) pairs. The first entry should be (a, ε′0).
    • The actual εeff is the arithmetic mean of all ε′0, weighted by the width of the intervals.
  • If the current E' for an interval is higher than E, then the fifth-order acceleration/correction would not apply:[b]
    • The "15" factor in the termination criteria is disabled.
    • The correction term should not be used.

The epsilon-raising maneuver allows the routine to be used in a "best effort" mode: given a zero initial tolerance, the routine will try to get the most precise answer and return an actual error level.[3]: 492 

Sample code implementations edit

A common implementation technique shown below is passing down f(a), f(b), f(m) along with the interval [a, b]. These values, used for evaluating S(a, b) at the parent level, will again be used for the subintervals. Doing so cuts down the cost of each recursive call from 6 to 2 evaluations of the input function. The size of the stack space used stays linear to the layer of recursions.

Python edit

Here is an implementation of adaptive Simpson's method in Python.

from __future__ import division # python 2 compat # "structured" adaptive version, translated from Racket def _quad_simpsons_mem(f, a, fa, b, fb):  """Evaluates the Simpson's Rule, also returning m and f(m) to reuse""" m = (a + b) / 2 fm = f(m) return (m, fm, abs(b - a) / 6 * (fa + 4 * fm + fb)) def _quad_asr(f, a, fa, b, fb, eps, whole, m, fm):  """  Efficient recursive implementation of adaptive Simpson's rule.  Function values at the start, middle, end of the intervals are retained.  """ lm, flm, left = _quad_simpsons_mem(f, a, fa, m, fm) rm, frm, right = _quad_simpsons_mem(f, m, fm, b, fb) delta = left + right - whole if abs(delta) <= 15 * eps: return left + right + delta / 15 return _quad_asr(f, a, fa, m, fm, eps/2, left , lm, flm) +\ _quad_asr(f, m, fm, b, fb, eps/2, right, rm, frm) def quad_asr(f, a, b, eps):  """Integrate f from a to b using Adaptive Simpson's Rule with max error of eps.""" fa, fb = f(a), f(b) m, fm, whole = _quad_simpsons_mem(f, a, fa, b, fb) return _quad_asr(f, a, fa, b, fb, eps, whole, m, fm) from math import sin print(quad_asr(sin, 0, 1, 1e-09)) 

C edit

Here is an implementation of the adaptive Simpson's method in C99 that avoids redundant evaluations of f and quadrature computations. It includes all three "simple" defenses against numerical problems.

#include <math.h> // include file for fabs and sin #include <stdio.h> // include file for printf and perror #include <errno.h> /** Adaptive Simpson's Rule, Recursive Core */ float adaptiveSimpsonsAux(float (*f)(float), float a, float b, float eps,  float whole, float fa, float fb, float fm, int rec) {  float m = (a + b)/2, h = (b - a)/2;  float lm = (a + m)/2, rm = (m + b)/2;  // serious numerical trouble: it won't converge  if ((eps/2 == eps) || (a == lm)) { errno = EDOM; return whole; }  float flm = f(lm), frm = f(rm);  float left = (h/6) * (fa + 4*flm + fm);  float right = (h/6) * (fm + 4*frm + fb);  float delta = left + right - whole;  if (rec <= 0 && errno != EDOM) errno = ERANGE; // depth limit too shallow  // Lyness 1969 + Richardson extrapolation; see article  if (rec <= 0 || fabs(delta) <= 15*eps)  return left + right + (delta)/15;  return adaptiveSimpsonsAux(f, a, m, eps/2, left, fa, fm, flm, rec-1) +  adaptiveSimpsonsAux(f, m, b, eps/2, right, fm, fb, frm, rec-1); } /** Adaptive Simpson's Rule Wrapper  * (fills in cached function evaluations) */ float adaptiveSimpsons(float (*f)(float), // function ptr to integrate  float a, float b, // interval [a,b]  float epsilon, // error tolerance  int maxRecDepth) { // recursion cap  errno = 0;  float h = b - a;  if (h == 0) return 0;  float fa = f(a), fb = f(b), fm = f((a + b)/2);  float S = (h/6)*(fa + 4*fm + fb);  return adaptiveSimpsonsAux(f, a, b, epsilon, S, fa, fb, fm, maxRecDepth); } /** usage example */ #include <stdlib.h> // for the hostile example (rand function) static int callcnt = 0; static float sinfc(float x) { callcnt++; return sinf(x); }  static float frand48c(float x) { callcnt++; return drand48(); }  int main() {  // Let I be the integral of sin(x) from 0 to 2  float I = adaptiveSimpsons(sinfc, 0, 2, 1e-5, 3);  printf("integrate(sinf, 0, 2) = %lf\n", I); // print the result  perror("adaptiveSimpsons"); // Was it successful? (depth=1 is too shallow)  printf("(%d evaluations)\n", callcnt);  callcnt = 0; srand48(0);  I = adaptiveSimpsons(frand48c, 0, 0.25, 1e-5, 25); // a random function  printf("integrate(frand48, 0, 0.25) = %lf\n", I);  perror("adaptiveSimpsons"); // won't converge  printf("(%d evaluations)\n", callcnt);  return 0; } 

This implementation has been incorporated into a C++ ray tracer intended for X-Ray Laser simulation at Oak Ridge National Laboratory,[4] among other projects. The ORNL version has been enhanced with a call counter, templates for different datatypes, and wrappers for integrating over multiple dimensions.[4]

Racket edit

Here is an implementation of the adaptive Simpson method in Racket with a behavioral software contract. The exported function computes the indeterminate integral for some given function f.[5]

;; ----------------------------------------------------------------------------- ;; interface, with contract  (provide/contract  [adaptive-simpson   (->i ((f (-> real? real?)) (L real?) (R (L) (and/c real? (>/c L))))  (#:epsilon (ε real?))  (r real?))]) ;; ----------------------------------------------------------------------------- ;; implementation  (define (adaptive-simpson f L R #:epsilon  .000000001])  (define f@L (f L))  (define f@R (f R))  (define-values (M f@M whole) (simpson-1call-to-f f L f@L R f@R))  (asr f L f@L R f@R ε whole M f@M)) ;; the "efficient" implementation (define (asr f L f@L R f@R ε whole M f@M)  (define-values (leftM f@leftM left*) (simpson-1call-to-f f L f@L M f@M))  (define-values (rightM f@rightM right*) (simpson-1call-to-f f M f@M R f@R))  (define delta* (- (+ left* right*) whole))  (cond  [(<= (abs delta*) (* 15 ε)) (+ left* right* (/ delta* 15))]  [else (define epsilon1 (/ ε 2))  (+ (asr f L f@L M f@M epsilon1 left* leftM f@leftM)   (asr f M f@M R f@R epsilon1 right* rightM f@rightM))])) ;; evaluate half an interval (1 func eval) (define (simpson-1call-to-f f L f@L R f@R)  (define M (mid L R))  (define f@M (f M))  (values M f@M (* (/ (abs (- R L)) 6) (+ f@L (* 4 f@M) f@R)))) (define (mid L R) (/ (+ L R) 2.)) 

Related algorithms edit

  • Henriksson (1961) is a non-recursive variant of Simpson's Rule. It "adapts" by integrating from left to right and adjusting the interval width as needed.[2]
  • Kuncir's Algorithm 103 (1962) is the original recursive, bisecting, adaptive integrator. Algorithm 103 consists of a larger routine with a nested subroutine (loop AA), made recursive by the use of the goto statement. It guards against the underflowing of interval widths (loop BB), and aborts as soon as the user-specified eps is exceeded. The termination criteria is  , where n is the current level of recursion and S(2) is the more accurate estimate.[1]
  • McKeeman's Algorithm 145 (1962) is a similarly recursive integrator that splits the interval into three instead of two parts. The recursion is written in a more familiar manner.[6] The 1962 algorithm, found to be over-cautious, uses   for termination, so a 1963 improvement uses   instead.[3]: 485, 487 
  • Lyness (1969) is almost the current integrator. Created as a set of four modifications of McKeeman 1962, it replaces trisection with bisection to lower computational costs (Modifications 1+2, coinciding with the Kuncir integrator) and improves McKeeman's 1962/63 error estimates to the fifth order (Modification 3), in a way related to Boole's rule and Romberg's method.[3]: 489  Modification 4, not implemented here, contains provisions for roundoff error that allows for raising the ε to the minimum allowed by current precision and returning the new error.[3]

Notes edit

  1. ^ The original 4i only mentions raising E'. However, later text mentioned that it can be lowered in large steps.
  2. ^ This likely also applys to the tolerance/interval width underflows in the simplistic case.

Bibliography edit

  1. ^ a b G.F. Kuncir (1962), "Algorithm 103: Simpson's rule integrator", Communications of the ACM, 5 (6): 347, doi:10.1145/367766.368179
  2. ^ a b For an earlier, non-recursive adaptive integrator more reminiscent of ODE solvers, see S. Henriksson (1961), "Contribution no. 2: Simpson numerical integration with variable length of step", BIT Numerical Mathematics, 1: 290
  3. ^ a b c d e f J.N. Lyness (1969), "Notes on the adaptive Simpson quadrature routine", Journal of the ACM, 16 (3): 483–495, doi:10.1145/321526.321537
  4. ^ a b Berrill, Mark A. "RayTrace-miniapp: src/AtomicModel/interp.hpp · de5e8229bccf60ae5c1c5bab14f861dc0326d5f9". ORNL GitLab.
  5. ^ Felleisen, Matthias. "[racket] adaptive simpson integration". Racket Mailing-list "users". Retrieved 26 September 2018.
  6. ^ McKeeman, William Marshall (1 December 1962). "Algorithm 145: Adaptive numerical integration by Simpson's rule". Communications of the ACM. 5 (12): 604. doi:10.1145/355580.369102.

External links edit

    adaptive, simpson, method, also, called, adaptive, simpson, rule, method, numerical, integration, proposed, kuncir, 1962, probably, first, recursive, adaptive, algorithm, numerical, integration, appear, print, although, more, modern, adaptive, methods, based, . Adaptive Simpson s method also called adaptive Simpson s rule is a method of numerical integration proposed by G F Kuncir in 1962 1 It is probably the first recursive adaptive algorithm for numerical integration to appear in print 2 although more modern adaptive methods based on Gauss Kronrod quadrature and Clenshaw Curtis quadrature are now generally preferred Adaptive Simpson s method uses an estimate of the error we get from calculating a definite integral using Simpson s rule If the error exceeds a user specified tolerance the algorithm calls for subdividing the interval of integration in two and applying adaptive Simpson s method to each subinterval in a recursive manner The technique is usually much more efficient than composite Simpson s rule since it uses fewer function evaluations in places where the function is well approximated by a cubic function Simpson s rule is an interpolatory quadrature rule which is exact when the integrand is a polynomial of degree three or lower Using Richardson extrapolation the more accurate Simpson estimate S a m S m b displaystyle S a m S m b for six function values is combined with the less accurate estimate S a b displaystyle S a b for three function values by applying the correction S a m S m b S a b 15 displaystyle S a m S m b S a b 15 So the obtained estimate is exact for polynomials of degree five or less Contents 1 Mathematical Procedure 1 1 Defining Terms 1 2 Procedural Steps 2 Numerical consideration 3 Sample code implementations 3 1 Python 3 2 C 3 3 Racket 4 Related algorithms 5 Notes 6 Bibliography 7 External linksMathematical Procedure editDefining Terms edit A criterion for determining when to stop subdividing an interval suggested by J N Lyness 3 is S a m S m b S a b lt 15 e displaystyle S a m S m b S a b lt 15 varepsilon nbsp where a b displaystyle a b nbsp is an interval with midpoint m a b 2 displaystyle m frac a b 2 nbsp while S a b displaystyle S a b nbsp S a m displaystyle S a m nbsp and S m b displaystyle S m b nbsp given by Simpson s rule are the estimates of a b f x d x textstyle int a b f x dx nbsp a m f x d x textstyle int a m f x dx nbsp and m b f x d x textstyle int m b f x dx nbsp respectively and e displaystyle varepsilon nbsp is the desired maximum error tolerance for the interval Note e i 1 e i 2 displaystyle varepsilon i 1 varepsilon i 2 nbsp Procedural Steps edit To perform adaptive Simpson s method do the following if S a m S m b S a b lt 15 e i displaystyle S a m S m b S a b lt 15 varepsilon i nbsp add S a m displaystyle S a m nbsp and S m b displaystyle S m b nbsp to the sum of Simpson s rules which are used to approximate the integral otherwise perform the same operation with S a m a 2 S m a 2 m S a m lt 15 e i 1 textstyle left S left a frac m a 2 right S left frac m a 2 m right S a m right lt 15 varepsilon i 1 nbsp and S m b m 2 S b m 2 b S m b lt 15 e i 1 textstyle left S left m frac b m 2 right S left frac b m 2 b right S m b right lt 15 varepsilon i 1 nbsp instead of S a m S m b S a b lt 15 e i displaystyle S a m S m b S a b lt 15 varepsilon i nbsp Numerical consideration editSome inputs will fail to converge in adaptive Simpson s method quickly resulting in the tolerance underflowing and producing an infinite loop Simple methods of guarding against this problem include adding a depth limitation like in the C sample and in McKeeman verifying that e 2 e in floating point arithmetics or both like Kuncir The interval size may also approach the local machine epsilon giving a b Lyness s 1969 paper includes a Modification 4 that addresses this problem in a more concrete way 3 490 2 Let the initial interval be A B Let the original tolerance be e0 For each subinterval a b define D a b the error estimate as 12 a b S 2 a b S a b 1 4 f a 4 f l m 6 f m 4 f r m f b textstyle frac 12 a b S 2 a b S a b frac 1 4 f a 4f lm 6f m 4f rm f b nbsp Define E 180 e0 B A The original termination criteria would then become D E If the D a m D a b either the round off level have been reached or a zero for f 4 is found in the interval A change in the tolerance e0 to e 0 is necessary The recursive routines now need to return a D level for the current interval A routine static variable E 180 e 0 B A is defined and initialized to E Modification 4 i ii If further recursion is used on an interval If round off appears to have been reached change the E to D a m a Otherwise adjust E to max E D a m Some control of the adjustments is necessary Significant increases and minor decreases of the tolerances should be inhibited To calculate the effective e 0 over the entire interval Log each xi at which the E is changed into an array of xi ei pairs The first entry should be a e 0 The actual eeff is the arithmetic mean of all e 0 weighted by the width of the intervals If the current E for an interval is higher than E then the fifth order acceleration correction would not apply b The 15 factor in the termination criteria is disabled The correction term should not be used The epsilon raising maneuver allows the routine to be used in a best effort mode given a zero initial tolerance the routine will try to get the most precise answer and return an actual error level 3 492 Sample code implementations editA common implementation technique shown below is passing down f a f b f m along with the interval a b These values used for evaluating S a b at the parent level will again be used for the subintervals Doing so cuts down the cost of each recursive call from 6 to 2 evaluations of the input function The size of the stack space used stays linear to the layer of recursions Python edit Here is an implementation of adaptive Simpson s method in Python from future import division python 2 compat structured adaptive version translated from Racket def quad simpsons mem f a fa b fb Evaluates the Simpson s Rule also returning m and f m to reuse m a b 2 fm f m return m fm abs b a 6 fa 4 fm fb def quad asr f a fa b fb eps whole m fm Efficient recursive implementation of adaptive Simpson s rule Function values at the start middle end of the intervals are retained lm flm left quad simpsons mem f a fa m fm rm frm right quad simpsons mem f m fm b fb delta left right whole if abs delta lt 15 eps return left right delta 15 return quad asr f a fa m fm eps 2 left lm flm quad asr f m fm b fb eps 2 right rm frm def quad asr f a b eps Integrate f from a to b using Adaptive Simpson s Rule with max error of eps fa fb f a f b m fm whole quad simpsons mem f a fa b fb return quad asr f a fa b fb eps whole m fm from math import sin print quad asr sin 0 1 1e 09 C edit Here is an implementation of the adaptive Simpson s method in C99 that avoids redundant evaluations of f and quadrature computations It includes all three simple defenses against numerical problems include lt math h gt include file for fabs and sin include lt stdio h gt include file for printf and perror include lt errno h gt Adaptive Simpson s Rule Recursive Core float adaptiveSimpsonsAux float f float float a float b float eps float whole float fa float fb float fm int rec float m a b 2 h b a 2 float lm a m 2 rm m b 2 serious numerical trouble it won t converge if eps 2 eps a lm errno EDOM return whole float flm f lm frm f rm float left h 6 fa 4 flm fm float right h 6 fm 4 frm fb float delta left right whole if rec lt 0 amp amp errno EDOM errno ERANGE depth limit too shallow Lyness 1969 Richardson extrapolation see article if rec lt 0 fabs delta lt 15 eps return left right delta 15 return adaptiveSimpsonsAux f a m eps 2 left fa fm flm rec 1 adaptiveSimpsonsAux f m b eps 2 right fm fb frm rec 1 Adaptive Simpson s Rule Wrapper fills in cached function evaluations float adaptiveSimpsons float f float function ptr to integrate float a float b interval a b float epsilon error tolerance int maxRecDepth recursion cap errno 0 float h b a if h 0 return 0 float fa f a fb f b fm f a b 2 float S h 6 fa 4 fm fb return adaptiveSimpsonsAux f a b epsilon S fa fb fm maxRecDepth usage example include lt stdlib h gt for the hostile example rand function static int callcnt 0 static float sinfc float x callcnt return sinf x static float frand48c float x callcnt return drand48 int main Let I be the integral of sin x from 0 to 2 float I adaptiveSimpsons sinfc 0 2 1e 5 3 printf integrate sinf 0 2 lf n I print the result perror adaptiveSimpsons Was it successful depth 1 is too shallow printf d evaluations n callcnt callcnt 0 srand48 0 I adaptiveSimpsons frand48c 0 0 25 1e 5 25 a random function printf integrate frand48 0 0 25 lf n I perror adaptiveSimpsons won t converge printf d evaluations n callcnt return 0 This implementation has been incorporated into a C ray tracer intended for X Ray Laser simulation at Oak Ridge National Laboratory 4 among other projects The ORNL version has been enhanced with a call counter templates for different datatypes and wrappers for integrating over multiple dimensions 4 Racket edit Here is an implementation of the adaptive Simpson method in Racket with a behavioral software contract The exported function computes the indeterminate integral for some given function f 5 interface with contract provide contract adaptive simpson gt i f gt real real L real R L and c real gt c L epsilon e real r real implementation define adaptive simpson f L R epsilon e 000000001 define f L f L define f R f R define values M f M whole simpson 1call to f f L f L R f R asr f L f L R f R e whole M f M the efficient implementation define asr f L f L R f R e whole M f M define values leftM f leftM left simpson 1call to f f L f L M f M define values rightM f rightM right simpson 1call to f f M f M R f R define delta left right whole cond lt abs delta 15 e left right delta 15 else define epsilon1 e 2 asr f L f L M f M epsilon1 left leftM f leftM asr f M f M R f R epsilon1 right rightM f rightM evaluate half an interval 1 func eval define simpson 1call to f f L f L R f R define M mid L R define f M f M values M f M abs R L 6 f L 4 f M f R define mid L R L R 2 Related algorithms editHenriksson 1961 is a non recursive variant of Simpson s Rule It adapts by integrating from left to right and adjusting the interval width as needed 2 Kuncir s Algorithm 103 1962 is the original recursive bisecting adaptive integrator Algorithm 103 consists of a larger routine with a nested subroutine loop AA made recursive by the use of the goto statement It guards against the underflowing of interval widths loop BB and aborts as soon as the user specified eps is exceeded The termination criteria is S 2 a b S a b lt 2 n ϵ displaystyle S 2 a b S a b lt 2 n epsilon nbsp where n is the current level of recursion and S 2 is the more accurate estimate 1 McKeeman s Algorithm 145 1962 is a similarly recursive integrator that splits the interval into three instead of two parts The recursion is written in a more familiar manner 6 The 1962 algorithm found to be over cautious uses S 3 a b S a b lt 3 n ϵ displaystyle S 3 a b S a b lt 3 n epsilon nbsp for termination so a 1963 improvement uses 3 n ϵ displaystyle sqrt 3 n epsilon nbsp instead 3 485 487 Lyness 1969 is almost the current integrator Created as a set of four modifications of McKeeman 1962 it replaces trisection with bisection to lower computational costs Modifications 1 2 coinciding with the Kuncir integrator and improves McKeeman s 1962 63 error estimates to the fifth order Modification 3 in a way related to Boole s rule and Romberg s method 3 489 Modification 4 not implemented here contains provisions for roundoff error that allows for raising the e to the minimum allowed by current precision and returning the new error 3 Notes edit The original 4i only mentions raising E However later text mentioned that it can be lowered in large steps This likely also applys to the tolerance interval width underflows in the simplistic case Bibliography edit a b G F Kuncir 1962 Algorithm 103 Simpson s rule integrator Communications of the ACM 5 6 347 doi 10 1145 367766 368179 a b For an earlier non recursive adaptive integrator more reminiscent of ODE solvers see S Henriksson 1961 Contribution no 2 Simpson numerical integration with variable length of step BIT Numerical Mathematics 1 290 a b c d e f J N Lyness 1969 Notes on the adaptive Simpson quadrature routine Journal of the ACM 16 3 483 495 doi 10 1145 321526 321537 a b Berrill Mark A RayTrace miniapp src AtomicModel interp hpp de5e8229bccf60ae5c1c5bab14f861dc0326d5f9 ORNL GitLab Felleisen Matthias racket adaptive simpson integration Racket Mailing list users Retrieved 26 September 2018 McKeeman William Marshall 1 December 1962 Algorithm 145 Adaptive numerical integration by Simpson s rule Communications of the ACM 5 12 604 doi 10 1145 355580 369102 External links editModule for Adaptive Simpson s Rule Retrieved from https en wikipedia org w index php title Adaptive Simpson 27s method amp oldid 1176208124, wikipedia, wiki, book, books, library,

    article

    , read, download, free, free download, mp3, video, mp4, 3gp, jpg, jpeg, gif, png, picture, music, song, movie, book, game, games.