Pages

15/01/2013

SSAO Tutorial

Originally posted on 05/01/2011

Background

Ambient occlusion is an approximation of the amount by which a point on a surface is occluded by the surrounding geometry, which affects the accessibility of that point by incoming light. In effect, ambient occlusion techniques allow the simulation of proximity shadows - the soft shadows that you see in the corners of rooms and the narrow spaces between objects. Ambien occlusion is often subtle, but will dramatically improve the visual realism of a computer-generated scene:
The basic idea is to compute an occlusion factor for each point on a surface and incorporate this into the lighting model, usually by modulating the ambient term such that more occlusion = less light, less occlusion = more light. Computing the occlusion factor can be expensive; offline renderers typically do it by casting a large number of rays in a normal-oriented hemisphere to sample the occluding geometry around a point. In general this isn't practical for realtime rendering.

To achieve interactive frame rates, computing the occlusion factor needs to be optimized as far as possible. One option is to pre-calculate it, but this limits how dynamic a scene can be (the lights can move around, but the geometry can't).

Way back in 2007, Crytek implemented a realtime solution for Crysis, which quickly became the yardstick for game graphics. The idea is simple: use per-fragment depth information as an approximation of the scene geometry and calculate the occlusion factor in screen space. This means that the whole process can be done on the GPU, is 100% dynamic and completely independent of scene complexity. Here we'll take a quick look at how the Crysis method works, then look at some enhancements.

Crysis Method

Rather than cast rays in a hemisphere, Crysis samples the depth buffer at points derived from samples in a sphere:

This works in the following way:
  • project each sample point into screen space to get the coordinates into the depth buffer
  • sample the depth buffer
  • if the sample position is behind the sampled depth (i.e. inside geometry), it contributes to the occlusion factor
Clearly the quality of the result is directly proportional to the number of samples, which needs to be minimized in order to achieve decent performance. Reducing the number of samples, however, produces ugly 'banding' artifacts in the result. This problem is remedied by randomly rotating the sample kernel at each pixel, trading banding for high frequency noise which can be removed by blurring the result.
The Crysis method produces occlusion factors with a particular 'look' - because the sample kernel is a sphere, flat walls end up looking grey because ~50% of the samples end up being inside the surrounding geometry. Concave corners darken as expected, but convex ones appear lighter since fewer samples fall inside geometry. Although these artifacts are visually acceptable, they produce a stylistic effect which strays somewhat from photorealism.

Normal-oriented Hemisphere

Rather than sample a spherical kernel at each pixel, we can sample within a hemisphere, oriented along the surface normal at that pixel. This improves the look of the effect with the penalty of requiring per-fragment normal data. For a deferred renderer, however, this is probably already available, so the cost is minimal (especially when compared with the improved quality of the result).

Generating the Sample Kernel

The first step is to generate the sample kernel itself. The requirements are that
  • sample positions fall within the unit hemisphere
  • sample positions are more densely clustered towards the origin. This effectively attenuates the occlusion contribution according to distance from the kernel centre - samples closer to a point occlude it more than samples further away
Generating the hemisphere is easy:
for (int i = 0; i < kernelSize; ++i) {
   kernel[i] = vec3(
   random(-1.0f, 1.0f),
   random(-1.0f, 1.0f),
   random(0.0f, 1.0f)
   kernel[i].normalize();
}
This creates sample points on the surface of a hemisphere oriented along the z axis. The choice of orientation is arbitrary - it will only affect the way we reorient the kernel in the shader. The next step is to scale each of the sample positions to distribute them within the hemisphere. This is most simply done as:
   kernel[i] *= random(0.0f, 1.0f);
which will produce an evenly distributed set of points. What we actually want is for the distance from the origin to falloff as we generate more points, according to a curve like this:

We can use an accelerating interpolation function to achieve this:
   float scale = float(i) / float(kernelSize);
   scale = lerp(0.1f, 1.0f, scale * scale);
   kernel[i] *= scale;

Generating the Noise Texture

Next we need to generate a set of random values used to rotate the sample kernel, which will effectively increase the sample count and minimize the 'banding' artefacts mentioned previously.
for (int i = 0; i < noiseSize; ++i) {
   noise[i] = vec3(
      random(-1.0f, 1.0f),
      random(-1.0f, 1.0f),
      0.0f
   );
   noise[i].normalize();
}
Note that the z component is zero; since our kernel is oriented along the z-axis, we want the random rotation to occur around that axis.

These random values are stored in a texture and tiled over the screen. The tiling of the texture causes the orientation of the kernel to be repeated and introduces regularity into the result. By keeping the texture size small we can make this regularity occur at a high frequency, which can then be removed with a blur step that preserves the low-frequency detail of the image. Using a 4x4 texture and blur kernel produces excellent results at minimal cost. This is the same approach as used in Crysis.

The SSAO Shader

With all the prep work done, we come to the meat of the implementation: the shader itself. There are actually two passes: calculating the occlusion factor, then blurring the result.

Calculating the occlusion factor requires first obtaining the fragment's view space position and normal:
   vec3 origin = vViewRay * texture(uTexLinearDepth, vTexcoord).r;
I reconstruct the view space position by combining the fragment's linear depth with the interpolated vViewRay. See Matt Pettineo's blog for a discussion of other methods for reconstructing position from depth. The important thing is that origin ends up being the fragment's view space position.
Retrieving the fragment's normal is a little more straightforward; the scale/bias and normalization steps are necessary unless you're using some high precision format to store the normals:
   vec3 normal = texture(uTexNormals, vTexcoord).xyz * 2.0 - 1.0;
   normal = normalize(normal);
Next we need to construct a change-of-basis matrix to reorient our sample kernel along the origin's normal. We can cunningly incorporate the random rotation here, as well:
   vec3 rvec = texture(uTexRandom, vTexcoord * uNoiseScale).xyz * 2.0 - 1.0;
   vec3 tangent = normalize(rvec - normal * dot(rvec, normal));
   vec3 bitangent = cross(normal, tangent);
   mat3 tbn = mat3(tangent, bitangent, normal);
The first line retrieves a random vector rvec from our noise texture. uNoiseScale is a vec2 which scales vTexcoord to tile the noise texture. So if our render target is 1024x768 and our noise texture is 4x4, uNoiseScale would be (1024 / 4, 768 / 4). (This can just be calculated once when initialising the noise texture and passed in as a uniform).

The next three lines use the Gram-Schmidt process to compute an orthogonal basis, incorporating our random rotation vector rvec.

The last line constructs the transformation matrix from our tangent, bitangent and normal vectors. The normal vector fills the z component of our matrix because that is the axis along which the base kernel is oriented.

Next we loop through the sample kernel (passed in as an array of vec3, uSampleKernel), sample the depth buffer and accumulate the occlusion factor:
float occlusion = 0.0;
for (int i = 0; i < uSampleKernelSize; ++i) {
// get sample position:
   vec3 sample = tbn * uSampleKernel[i];
   sample = sample * uRadius + origin;
  
// project sample position:
   vec4 offset = vec4(sample, 1.0);
   offset = uProjectionMat * offset;
   offset.xy /= offset.w;
   offset.xy = offset.xy * 0.5 + 0.5;
  
// get sample depth:
   float sampleDepth = texture(uTexLinearDepth, offset.xy).r;
  
// range check & accumulate:
   float rangeCheck= abs(origin.z - sampleDepth) < uRadius ? 1.0 : 0.0;
   occlusion += (sampleDepth <= sample.z ? 1.0 : 0.0) * rangeCheck;
}
Getting the view space sample position is simple; we multiply by our orientation matrix tbn, then scale the sample by uRadius (a nice artist-adjustable factor, passed in as a uniform) then add the fragment's view space position origin.
We now need to project sample (which is in view space) back into screen space to get the texture coordinates with which we sample the depth buffer. This step follows the usual process - multiply by the current projection matrix (uProjectionMat), perform w-divide then scale and bias to get our texture coordinate: offset.xy.

Next we read sampleDepth out of the depth buffer (uTexLinearDepth). If this is in front of the sample position, the sample is 'inside' geometry and contributes to occlusion. If sampleDepth is behind the sample position, the sample doesn't contribute to the occlusion factor. Introducing a rangeCheck helps to prevent erroneous occlusion between large depth discontinuities:

As you can see, rangeCheck works by zeroing any contribution from outside the sampling radius.

The final step is to normalize the occlusion factor and invert it, in order to produce a value that can be used to directly scale the light contribution.
 occlusion = 1.0 - (occlusion / uSampleKernelSize);

The Blur Shader

The blur shader is very simple: all we want to do is average a 4x4 rectangle around each pixel to remove the 4x4 noise pattern:
uniform sampler2D uTexInput;

uniform int uBlurSize = 4; // use size of noise texture

noperspective in vec2 vTexcoord; // input from vertex shader

out float fResult;

void main() {
   vec2 texelSize = 1.0 / vec2(textureSize(uInputTex, 0));
   float result = 0.0;
   vec2 hlim = vec2(float(-uBlurSize) * 0.5 + 0.5);
   for (int i = 0; i < uBlurSize; ++i) {
      for (int j = 0; j < uBlurSize; ++j) {
         vec2 offset = (hlim + vec2(float(x), float(y))) * texelSize;
         result += texture(uTexInput, vTexcoord + offset).r;
      }
   }
 
   fResult = result / float(uBlurSize * uBlurSize);
}
The only thing to note in this shader is uTexelSize, which allows us to accurately sample texel centres based on the resolution of the AO render target.

Conclusion

The normal-oriented hemisphere method produces a more realistic-looking than the basic Crysis method, without much extra cost, especially when implemented as part of a deferred renderer where the extra per-fragment data is readily available. It's pretty scalable, too - the main performance bottleneck is the size of the sample kernel, so you can either go for fewer samples or have a lower resolution AO target.

A demo implementation is available here.


The Wikipedia article on SSAO has a good set of external links and references for information on other techniques for achieving real time ambient occlusion.

164 comments:

  1. Thank you so much for this tutorial. It's a pretty hard effect to implement, I used your tutorial for to add ssao to my own python molecular viewer https://github.com/chemlab/chemlab. What I've obtained so far is this: http://troll.ws/image/d9ab2364 (I have to add the blur step) it looks right to me but there are many mistakes that I could have made.

    I would have never been able to implement such a cool looking effect without your tutorial and your code. I sincerely thank you.

    ReplyDelete
    Replies
    1. I've added blur and have a very small problem.

      In this picture I've rendered with 128 samples a set of procedurally-generated sphere imposters, the problem I'm having is that around each sphere there is a thin halo of non-occlusion:

      http://troll.ws/image/f57a6a71

      Do you have any idea/suggestion about what causes this issue and how to solve this problem?

      The shader I'm using are in this directory: https://github.com/chemlab/chemlab/tree/master/chemlab/graphics/postprocessing/shaders

      Delete
    2. This is the main issue with indiscriminately blurring the AO result. Areas of occlusion/non-occlusion will tend to 'leak' - most noticeably where there are sharp discontinuities in the depth buffer.

      The solution is to use a more complex blur which samples the depth buffer and only blurs pixels which are at a similar depth.

      Another option might be to simply dilate the AO result slightly (after applying the blur). I'm not sure how well this will work, though.

      Delete
    3. Aplikasi Android untuk nonton film bokep dengan kualitas HD
      Link Download > APK BOSBOKEP 


      Nonton Bokep Indo


      Nonton Bokep Barat


      Nonton Bokep Korea


      Nonton Bokep Jepang

      Enjoy it...

      Delete
  2. Hi,

    Thanks for the great tutorial! I have a question for you:

    What do I need in order to compute the vViewRay vector used for the unprojection?

    The article you linked to says that vViewRay is a vector pointing towards the far-clipping plane - how would I obtain it? Would this be done in the vertex shader of the SSAO fullscreen quad pass or via some other means? Maybe you can share your method of obtaining it :)?

    ReplyDelete
    Replies
    1. You can compute the view ray from the normalized device coordinates of the fragment in question and the field of view angle and aspect ratio of the camera, like this:

      float thfov = tan(fov / 2.0); // can do this on the CPU
      viewray = vec3(
      ndc.x * thfov * aspect,
      ndc.y * thfov,
      1.0
      );

      You can do this either in the vertex shader (and interpolate the view ray), or directly in the fragment shader (compute ndc as texcoords * 2.0 - 1.0).

      Matt actually has another, more in-depth blog post on this topic, which may help clarify things better.

      Delete
    2. DEPE4D situs game slot online terbaik Indonesia
      yang menyediakan permainan
      > TOGEL
      > SLOT GACOR
      > JUDI BOLA
      > CASINO ONLINE
      Informasi situs resmi DEPE4D :
      Klik > WHATSAPP
      Klik > LIVECHAT
      Klik > WEBSITE

      Delete
  3. Hey John,
    First off, thanks for these great tutorials.

    I have been trying to implement your ssao for a few day and I'm stumped. I took a few images. Some of them are averages across 8 samples.

    Origin: https://dl.dropboxusercontent.com/u/11216481/SSAO/origin.png
    Depth: https://dl.dropboxusercontent.com/u/11216481/SSAO/depth.png
    SamplePosition: https://dl.dropboxusercontent.com/u/11216481/SSAO/sampleP.png
    SampleDepth: https://dl.dropboxusercontent.com/u/11216481/SSAO/sampleDepth.png
    Offset.xy: https://dl.dropboxusercontent.com/u/11216481/SSAO/offset.png

    Could you please let me know if these look right. I have a feeling the sample depth is not right.
    Any help would be greatly appreciated. Thanks!

    ReplyDelete
    Replies
    1. The sample depth does look a bit odd, but it's difficult to tell what's wrong with it. What does the end result look like?

      Delete
    2. I made some progress. When I make uRadius linear (* 1.0/(far-near)) the final result seems a lot better. However everything is flipped around. I tried negating axis of the sample position but it produces strange results. The ssao seems to be calculated corrected, it's just not in the right place lol.

      Result: https://dl.dropboxusercontent.com/u/11216481/SSAO/final.png

      Delete
    3. Is uRadius not linear anyway? It should simply a scale value for the sample kernel. Also, remember that uRadius should be appropriate to the scale of the scene.

      Are you using a left or right handed system; is +z into, or out of the screen?

      Delete
    4. That was the initial problem. uRadius was much to large and it was throwing off the samplePosition and therefore the offset for the sample depth lookup.

      I am using a left handed system (thanks, I wasn't thinking about it). I negated the z component of the viewRay (I calculate it as per the comments above). This properly oriented the ssao and produces great results... mostly.
      looking down z: https://dl.dropboxusercontent.com/u/11216481/SSAO/final-oriented-downz.png

      The above screen has the camera facing in the -z direction. When I turn the camera around 180 to face +z I get a strange artifact. The artifact is gradual when turning the camera and gets the worst when facing +z dead on.
      looking up z: https://dl.dropboxusercontent.com/u/11216481/SSAO/final-oriented-upz.png

      The artifacts move slightly when with animation in the scene; some objects are moving but they are away from the sphere pyramid. It's like the sample depth lookup is wrapping around. However, I have my depth texture clamped to border so that should happen.
      For more info, I am using a 32x32 kernel and 4x4 noise texture.

      Have you seen anything like this?

      Delete
    5. Looks like the kernel isn't being properly oriented - check that your normals are correct.

      Delete
    6. You were totally right. The problem was with my normal texture. It wasn't in view space... **facepalm** Multiplied by the good ol' inverse transpose modelview and voila!

      FINAL

      Thanks for all your help man!

      Delete
  4. This is what it looks like now:

    https://dl.dropboxusercontent.com/u/43006973/ssao/origin%202.png

    I moved in closer to the cube to take this picture.

    I'm not sure if this is what it's supposed to look like.

    ReplyDelete
    Replies
    1. Yes, that looks correct - remember that you're in view space, so you'd expect to see red along the X axis, Y green, Z blue.

      As you're working with right-handed coordinates you may need to negate the kernel sample.

      Delete
    2. I negated the sample kernel, which didn't fix my problem.

      I looked at the range check value, and found out it only reached 1 when I either got very close to the object, or made the radius very large (~10 instead of 1). I doubt this is correct, and I have no idea what could be causing it.

      The depth is being linearized when fetching the sample depth from the texture.

      Delete
    3. Well we know that the view space position is being calculated correctly now. Are you getting any occlusion results at all? Take the range check out and see if you get any results.

      Delete
    4. No, I'm not getting anything, just a white screen.

      Delete
    5. Well all I can really say is go back to the beginning and make sure you're getting sensible results at every step. You can use the sample implementation to visualize the outputs from a working version and check that what you're getting matches.

      Delete
    6. Well, I finally got it working. Thanks for all the help.

      I had two things missing to make this work with a right handed system:

      First, I had to negate the sample depth after sampling and linearization to make it increase and decrease with the z axis.

      Second, when accumulating the occlusion, the operator comparing the sample depth and sample z needs to be '=>', not '<=' (or, if using the step function, switch the arguments).

      Finally, I found a way to reduce the hallow due to blurring: instead of iterating on [0, noiseSize[, iterate on [-noiseSize / 2, noiseSize / 2[. Iterating on [-noiseSize / 2, noiseSize / 2] and dividing by (noiseSize + 1)^2 might even be better (haven't tested it yet).

      Delete
    7. Good to hear - I am going to add some notes on the differences between left/right handed implementations of this as it seems to be the main source of problems for people trying to implement it themselves.

      I was going to say that you were wrong about reducing the halo, but then I realized that the simple blur code in the tutorial is actually different to the code in the demo implementation! The demo does what you suggest - it centres the halo on the object border, which reduces the halo. This is about as good as it gets without dilating the SSAO result.

      Delete
  5. Hi there, I was learning from this tutorial, and I loved the camera movements, would you tell how you implemented the smoothness/lerping? Thanks.

    ReplyDelete
    Replies
    1. Hi - you can take a look at the source code in the demos section; most of the interpolation is in common.zip (in sml_0.6.0, in include/itpl.h)

      Delete
  6. Hello John,

    first, thanks for the tutorial!
    I tried to implement the SSAO Shader, but there is still something wrong with it.

    Here is the code of the fragment shader: http://pastebin.com/a3Jb2wCT
    The result looks like this: https://www.dropbox.com/s/zwhi9rton9of3sw/ssao.png?dl=0

    Here are some other things that I've rendered. I did it like Derek Sorensen and averaged the offset values from the loop:
    Origin: https://www.dropbox.com/s/inj9m9p18autegd/origin.png?dl=0
    Offset.xy: https://www.dropbox.com/s/cf94bt38dcekfzy/offset.png?dl=0

    To me, it seems like offset.xy is wrong, but I just cannot figure out why.
    Do you have an idea?

    ReplyDelete
  7. AR Business Solutions among the foremost ESI, PF Advisor and Payroll Control Company within Delhi and NCR
    PF Consultant in Delhit | PF Consultant

    ESIC PF Consultant | Esic Consultant in Delhi

    ReplyDelete
  8. I was looking for a professional writer to Help Write my Literature Review paper before I landed on this magnificent page. I have enjoyed reading through the article and I would not mind bookmarking this site and visiting it occasionally to read both new and old articles. Thanks for sharing the article with us.

    ReplyDelete
  9. Hello,

    First of all thanks for this amazing tutorial!

    I have a working SSAO shader, which produces nice results, but it is very slow.
    When run in my onboard graphics card (I know, not really a good indication for performance) a simple scene with a resolution of 1280x720 runs at 50 frames per seconds, which each frame taking up about 0.02 seconds.
    With SSAO activated (the ssao runs at a resultion of 1024x1024), the same scene runs at 17 fps, or about 0.057 seconds per frame.

    The SSAO shader uses 64 samples in this case (which is a lot, I know).

    Is it normal for the SSAO to have such a big impact on performance?

    I am seeing a similar performance hit when I am using an Screen Space Reflection shader.

    ReplyDelete
    Replies
    1. Hi,
      I faced the similar problem. Turns out that my application was using Intel's integrated graphics card instead of my Nvidia card. After changing the settings in Nvidia control panel (i.e use Nvidia graphics card for my application), my Fps increased from 20 FPS to around 450 FPS (with SSAO). Please let me know if you still couldn't figure it out.

      Delete
  10. Hello John!
    Thanks to the wonderful post ! I am trying to implement SSAO in unity 5.6 with the help of this tutorial. Unity by default provides u with the depth and normal information for the screen space, so its quite good. I am new to graphics and had a little problem understanding this line :

    vec3 rvec = texture(uTexRandom, vTexcoord * uNoiseScale).xyz * 2.0 - 1.0;

    is the texture function kind of 3d as u are accessing xyz? If yes then how come the second parameter vTexcoord be 2d ? Actually it would be great if u can explain how i this actually working ...
    Thanks!

    ReplyDelete
  11. Also the link to the download file is broken ..it would be great if u could fix it so that we can download the source files to read
    Thanks

    ReplyDelete
  12. Thanks for this amazing post. I appreciate your effort for this article. packers and movers in madhapur packers and movers hyderabad madhapur

    ReplyDelete
  13. Its like you read my mind! You appear to know a lot about this, like you wrote the book in it or something. I think that you could do with some pics to drive the message home a bit, but other than that, this is fantastic blog. An excellent read. I will definitely be back. . Costumes for Rent in Hyderabad

    ReplyDelete
  14. John, thank you so much for your effort to write up this informative blog post.
    I want to ask when you generate sample kernel using following code:
    kernel[i] = vec3(
    random(-1.0f, 1.0f),
    random(-1.0f, 1.0f),
    random(0.0f, 1.0f)

    doesn't it generate a rectangular shape instead of hemisphere?

    ReplyDelete
  15. i am confused about the tangent's computation process; the normal is in the view space ,the rvec is in the TBN space,why they can be used to compute tangent with in different space?
    vec3 tangent = normalize(rvec - normal * dot(rvec, normal));

    ReplyDelete
  16. You researched information before writing this article. There are several valid points mentioned that pique the reader’s interest. It’s good to see a writer make such a great effort for their work also I'm writing literature dissertation help for students.

    ReplyDelete
  17. Thank you for sharing such wonderful information.idea is the organization of Business Relationship Development is where interested entrepreneurs are trained about the value of the public relations for business success.
    company registration services vizag
    gst consultants
    gst consultants in hyderabad
    gst consultant services in banglore
    best pf consultant service center vizag
    ESI consultancy service
    ESI consultancy service in hyderabad
    best ESI consultancy service banglore

    ReplyDelete
  18. This comment has been removed by the author.

    ReplyDelete
  19. This is amazing. I like this Really many thanks for this awesome helpful blog. Cutsncamera Expert in Profile Video,
    Training Video,
    Corporate Testimonial Video,
    Corporate Video Production House Gurgaon Delhi NCR

    ReplyDelete
  20. I simply want to tell you that I am new to weblog and definitely liked this blog site. Very likely I’m going to bookmark your blog . You absolutely have wonderful stories. Cheers for sharing with us your blog. https://igraphicbox.co.nz

    ReplyDelete
  21. Very good written article. It will be supportive to anybody who usess it, as well as myself. Keep doing what you are doing. what is sushi

    ReplyDelete
  22. Nice post! Thanks for sharing this information. Looking for help with your selecting your thesis topic? Get reliable research topics help from the leading Research Projects Writing Company at an affordable cost. Our experts are available 24/7.

    ReplyDelete
  23. You have done a Great job by doing this SSAO Tutorial Vero Beach Tutoring keep doing more work like this ! Thanks.

    ReplyDelete
  24. This post is quite informative. I love it. Are you also searching for Swedish assignment help we are the best solution for you. We are best known for delivering the best services to students without having to break the bank.



    ReplyDelete
  25. LED BULB REPAIRING simple device that may be repairingand new bullb is available very lowest price

    ReplyDelete
  26. Online Casino 2Go - #1 Source for Online Casino Sites. If you are from the United States, Canada, UK, or Australia and are looking for an online casino, this is the best place to start.

    ReplyDelete
  27. Spyhunter 5 Crack is a very effective application for safeguard your pc very effectively. Searching for an anti-malware application! It is completely able to maintain your gadget free of risks. You can save your gadget from just about all kinds of risks spyhunter 5 crack key 2021

    ReplyDelete
  28. Navštivte naše stránky! Zde najdete nejatraktivnější bonusy a propagace, stejně jako hry od nejlepších poskytovatelů
    https://top10casino.cz/kasinove-hry/online-stiraci-losy/
    https://online-ruleta-czech.cz/

    ReplyDelete
  29. I am not going to say that great work done but this is an awesome blog. I enjoyed reading your articles.Private tutor Alpine This is truly a great read for me. I have bookmarked it and I am looking forward to reading new articles on the same matter.

    ReplyDelete
  30. Read about the Latest Casino Bonuses at Stakers! Join us to know more

    ReplyDelete
  31. Great article! The information you have shared is very engaging and impressive. It’s hard to come by experienced people talking about this subject! Thank you. Visit our reliable Dissertation Finishing Service for assistance with completing your research project.

    ReplyDelete
  32. https://www.gewinnspielautomaten.com Es ist erstaunlich, wie viel Spaß dieses Online-Casino macht! Ich hatte eine tolle Zeit hier und kann es sehr empfehlen.

    ReplyDelete
  33. Thank you for your informative post!!!
    Village Talkies a top-quality professional corporate video production company in Bangalore and also best explainer video company in Bangalore & animation video makers in Bangalore, Chennai, India & Maryland, Baltimore, USA provides Corporate & Brand films, Promotional, Marketing videos & Training videos, Product demo videos, Employee videos, Product video explainers, eLearning videos, 2d Animation, 3d Animation, Motion Graphics, Whiteboard Explainer videos Client Testimonial Videos, Video Presentation and more for all start-ups, industries, and corporate companies. From scripting to corporate video production services, explainer & 3d, 2d animation video production , our solutions are customized to your budget, timeline, and to meet the company goals and objectives.
    As a best video production company in Bangalore, we produce quality and creative videos to our clients.

    ReplyDelete
  34. Was ist das beste Online Casino, mit dem ich mich registrieren kann? Und welche Casinos gibt es überhaupt? Ich fand, dass diese erstaunliche Website online casino spielautomaten

    ReplyDelete
  35. DIENTOT.CLUB Adalah Bahan Onani Yang Terbukti Ampuh Untuk Meringankan Segala Penyakit Bawaan Maupun Terbawa Oleh Pengaruh Nikmat Dari Sekitar. Banyak Film Yang Di Adopsi Mulai Dari Film Bokep, Film Semi, Suka Crot, Nonton Film Bokep, Nonton Film Semi, Film Bokep Terbaru, Nonton Bokep Gratis, Streaming Bokep Gratis, Film Bokep Indo, Bokep Barat, Bokep Korea, Bokep Jepang, Dan Masih Banyak Lagi. Silahkan Menikmati Sajian Terbaik Dari Kami Untuk Kalian Semua
    KLIK 👉 DIENTOT.CLUB

    BOKEP INDO
    🎞 VIRAL INDO

    BOKEP BARAT
    🎞 BOKEP BARAT

    BOKEP KOREA
    🎞 SKANDAL KOREA

    BOKEP JEPANG
    🎞 JEPANG SANGE

    BOKEP SEMI
    🎞 BOKEP FAVORIT

    ReplyDelete


  36. I am reading your post from the beginning, it was so interesting to read & I feel thanks to you for posting such a good blog, keep updates regularly.I want to share about maximo training .

    ReplyDelete
  37. adaslot88 menawarkan permainan bandar togel, slot online, idnlive casino, taruhan bola dengan 1 id saja.

    Bonus deposit 100%
    Cashback mingguan 5%
    Pasaran togel hongkong - macau - sydney - singapore lengkap dan DISKON terbesar

    ReplyDelete
  38. This is quite a good blog.Are you also searching for DNP Capstone Project? we are the best solution for you. We are best known for delivering nursing writing services to students without having to break the bank.

    ReplyDelete
  39. Yuk Cairkan Rezeki Puluhan Juta Setiap Harinya Dengan Mudah !
    Hanya Di Gesit Poker , Modal 20rb Saja Tingat Kemenangan 96% !

    ✅ BONUS TURN OVER 0.3%
    ✅ BONUS REFFERAL 15%
    ✅ 100% PLAYER Vs PLAYER ( NO ROBOT & ADMIN )
    ✅ Deposit Bank (BCA MANDIRI BNI BRI DANAMON)
    ✅ Deposit Pulsa Telkomsel & XL/Axis
    ✅ Support E-Cash : GOPAY , DANA , OVO , LINK
    Berapapun Kemenangan Bosku Pasti Akan Kami Bayar dan Kita Proses Dengan Cepat !!!

    WA : +62 822 - 4157 - 0676
    www,zoyavip,net

    ReplyDelete
  40. A very good looking blog with informative article. I really appreciate your effort, thumbs up! Judi Togel

    ReplyDelete
  41. It works really fine. Great idea. I liked your post. Thanks for sharing this article!
    situs bokep terbaru and nonton film

    ReplyDelete
  42. Bokepoi.Com - Situs Pemersatu Bangsa

    BOKEPOI.COM Adalah Website Bokep Indonesia Terbaru Paling Update.
    Dimana anda dapat menonton video bokep dan download vidio bokep terbaru yang sedang viral dari simontok app , maxtube Apk serta stream tante xpanas HOT.
    Bokep Download Film Bokep Mobile Online Indoxxi BokepIndo Dunia21 Ganool Terbaru Nonton Film Bokep Online Lk21 Bioskop Indoxxi Semi Korea Layarkaca21.
    Nonton Video Bokep Keluarga Selingkuh Japanese,Streaming Bokep Jepang Sedarah Istri Dan Ibu Mertua Ngentot Sama Menantu Montok Cantik,Vidio Sex Asian Adik
    Situs Download Video Streaming Bokep Sedarah ngentot saudara kandung saat rumah sedang sepi

    BOKEPOI.COM - SITUS PEMERSATU BANGSA
    Deskripsi: Download Video Bokep Indo Sex 2021 Terbaru

    Download Video Indo Sex Bokep Terbaru Situs Download dan Nonton Streaming Video Bokep No.1 di Indonesia.

    Kategori

    @Bokep Indo
    Download dan Streaming Video Bokep Indo Hot Sex Full HD No Sensor, Artis Mesum, Tante Girang, Gadis Perawan, Cewek Open BO, Pelakor, Ayam Kampus, Bini Orang, Tetangga Mesum
    ABG Montok.
    #
    @Bokep Jepang JAV
    Download dan Streaming Video Jepang JAV Uncensored Full HD Vidio Hot Sex Japanase Girl Cosplay Sedarah Anak SMA Jepang Bokef Guru Mesum Japan Terbaik
    #
    @Bokep Barat
    Download dan Streaming Video Barat Hypersex Jual Pacar Taxi Fake Brazzer XNXX XVideos PornHub
    #
    @Bokep China
    Download dan Nonton Streaming Video Bokep China Cantik dan Bening, Bokep SMP China Hongkong dan Taiwan, Model Aduhai, Artis Tionghoa, Amoy Pelajar
    #
    @Bokep Korea
    Video Bokep Terbaru dari Korea, Skandal Artis Korea Model Gingseng Bugil
    #
    @Asian Sex Diary
    Download dan Streaming Video Bokep Asian Sex Diary Hot Girl Film Semi Korea Thailand Vietnam China Hongkong Taiwan Malaysia Filipina India Turki Ngentot Viral HD No Sensor
    #
    @Video Bokep Viral
    Download dan Streaming Video Bokep Online Artis Cewek Toge
    Video Porno Video Ngentot Mesum Ngintip Foto Telanjang Gambar Bugil ABG Pelajar Foto Syur
    Artis Bugil Skandal Artis Selingkuh Lesbian Jilbab Toge Hijab Tocil Pesta Pijat Seks
    #
    @Bokep ABG Jaman Now
    Gudang Cewek ABG Cantik Panjang Hypersex Vidio Dipaksa Taxi Fake
    Situs Streaming Bokep Online HD, Streaming Bokep Indo, Nonton Bokep Online, Bokep Indo, Cerita Sex, Film Semi

    ReplyDelete
  43. Ashampoo Driver Updater Crack Excellent piece of work, and I am in wonder how you manage all of these content and his entry. I would like to say you have superb capabilities related to your work, and lastly, please keep it up because I am looking for the more.

    ReplyDelete
  44. I have learned a lot from your article and I’m looking forward to apply
    job agencies near me
    job agencies

    ReplyDelete
  45. Best Digital Marketing Company in world. Also, we provide Web Design and Development Services, SEO, Social Media Marketing and Other Service.

    ReplyDelete
  46. Blur Photo Editor & Blur image Background Effect on picture has many blurry image tools for blur image editing. Easy to make your photo background DSLR blur effect.

    ReplyDelete
  47. Thanks for new updates - The normal-oriented hemisphere method produces a more realistic - looking than the basic Crysis method ,

    related videos here B2B Explainer Videos, Explainer Videos, Motion Graphic Animation, Video Animation, PPT Presentation, 2D Animation, Graphics, Graphic Development, White Board Animation, E-learning, and Technical Videos - Explainer video company in Bangalore

    ReplyDelete
  48. Gabung bersama kami di Tiger Bet Slot tergacor, berapapun WD akan kami bayar
    DAFTAR

    ReplyDelete
  49. Reading your blogs is therauptic. Keep sharing. I love them Are you also searching for Assignment Help UAE? we are the best solution for you. We are best known for delivering cheap assignments to students without having to break the bank

    ReplyDelete
  50. https://computergraphics.stackexchange.com/questions/12295/can-crytek-ssaos-gray-feel-be-improved-simply-by-multiplying-2

    ReplyDelete
  51. This comment has been removed by the author.

    ReplyDelete
  52. Fantastic piece, well-tailored…. You sort of cleared my phobias… Now I can give it a shot… I pray I don’t run out of content!…a big kudos.
    Campus Learning Management System
    Custom Software Development UK

    ReplyDelete
  53. Fantastic piece, well tailored…. You sort of cleared my phobias… Now I can give it a shot… I pray I don’t run out of contents!…a big kudos.
    Best LMS Platform
    HR Outsourcing Companies In India

    ReplyDelete
  54. Nice Post
    Russkiylang Translate is an automatic translation service that supports translations between 103 languages.

    ReplyDelete
  55. Wil jij in een online casino spelen? Bekijk hier alle online casino spellen, free spins, bonussen en meer via online casinos 2go.

    ReplyDelete
  56. situs judi slot gacor easy win di KING338
    deposit min 5000 via:
    ➡️DANA
    ➡️GOPAY
    ➡️OVO
    ➡️LINK AJA
    Get Started

    ReplyDelete
  57. I have learned a lot from your article and I’m looking forward to apply

    hr consultancy firms in Delhi

    ReplyDelete
  58. Would like to appreciate your efforts to impart content so beautifully. Its true if you trade in stock market by getting stock market tips from experts, Chances are higher you will end up in profit. share market tips provided by expert are well timed and well researched.

    ReplyDelete
  59. Great post. Thanks for sharing the blog. Also, check my website: https://sureassignmenthelp.com/

    ReplyDelete
  60. thanks for providing such a great article,this article is very help full for me, a lot of thanks

    Challenges For Indian HR

    HR Company

    ReplyDelete
  61. I have learned a lot from your article and I’m looking forward to apply

    Top Staffing Companies in India

    Role Of HR In A Company

    ReplyDelete
  62. Thanks for providing such a great article,this article is very help full for me, a lot of thanks

    HR consultants in India

    HR Consultant Services

    ReplyDelete
  63. Blog is very informative and find here the best exam reliable IGNOU QUESTION PAPER get it at best offers.

    ReplyDelete
  64. I will definitely use this information in the very near future.

    HR Companies In Delhi

    HR Consultancy Firms

    ReplyDelete
  65. I have learned a lot from your article and I’m looking forward to apply

    Job Agencies Near Me

    HR Support

    ReplyDelete
  66. thanks for providing such a great article,this article is very help full for me, a lot of thanks

    Challenges for Indian HR
    HR Consultants in India

    ReplyDelete
  67. This was a fantastic blog. A lot of very good information was given,

    HR Services Companies

    Challenges for Indian HR

    ReplyDelete
  68. thanks for providing such a great article,this article is very help full for me, a lot of thanks

    Countries to Work Abroad

    HR Consultants

    ReplyDelete
  69. "Find the best Remote Jobs
    from top companies. Build your career with remote jobs across the globe"

    ReplyDelete
  70. Hey! Someone in my Facebook group shared this site with us so I came to give it a look. I’m definitely enjoying the information. I’m bookmarking and will be tweeting this to my followers! Great blog and wonderful design.
    Dxtory Crack
    Foobar 2000 Crack
    Switch Audio File Converter Crack
    Sweet Home 3D Crack
    OpenShot Video Editor Crack
    Notepad++ Crack
    My Dragon Girlfriend Crack
    Privacy Eraser Free Crack
    HyperCam Crack
    DbVisualizer crack

    ReplyDelete
  71. I like your all post. You have done really good work. Thank you for the information you provide, it helped me a lot. I hope to have many more entries or so from you.
    XSplit VCam Crack
    360 Total Security Premium Crack
    OHSoft OCam Crack
    AutoCAD Crack
    Pixologic ZBrush Crack
    Waves Tune Real-Time Crack
    reWASD Crack
    Vectorworks Crack
    AlterCam Crack
    Bootstrap Studio Crack

    ReplyDelete
  72. Here we provide jobs in Mumbai from Job vacancy result company . And we also provide jobs in different state. Thanks for commenting.
    Jobs in Mumbai
    Jobs in Mumbai
    Jobs in Mumbai
    Jobs in Mumbai

    ReplyDelete
  73. Thank you for sharing your knowledge with us. I’m going to bookmark your blog and keep checking for new details about once a week. Keep posting!

    Regards,
    Helloo.one
    Digital Business Card
    QR Code Scanner

    ReplyDelete
  74. Great tips and thanks for the sharing!

    Regards,
    Brand Animators - Animated Explainer Video Company in Dallas, Houston, TX

    ReplyDelete

  75. Get expert Coursework Assignment Help from qualified professionals. Enhance your academic performance with our reliable services.

    ReplyDelete

  76. "Kudos on curating such an exceptional website! Your dedication to providing valuable content and a seamless user experience truly shines through.Charli D’Amelio Phone Number. It's evident that your passion and expertise are the driving forces behind this digital gem. Keep up the fantastic work, and I look forward to exploring more of the insightful content you offer."

    ReplyDelete
  77. Explore a humanities assignment sample to gain insights into effective research, analysis, and writing techniques.

    ReplyDelete
  78. Looking for Change Management Assignment Help ? Our experts provide top-quality help to ensure your success. Contact us today.

    ReplyDelete
  79. Get a sample of an economics assignment sample to help you understand key concepts and improve your academic performance.

    ReplyDelete
  80. This nursing case study assignment sample provides a comprehensive analysis of a patient's medical history and treatment plan.

    ReplyDelete
  81. Vegas79 là nhà cái uy tín hàng đầu Việt Nam. Vegas79.sale cung cấp đa dạng các sản phẩm cá cược hấp dẫn, bao gồm cá cược thể thao, casino trực tuyến, xổ số, lô đề,...
    Web chính: https://vegas79.sale/

    ReplyDelete
  82. Very Interesting tutorial. It is very useful for us. thanks for sharing.
    NMIMS assignment

    ReplyDelete
  83. Vegas79 là nhà cái uy tín hàng đầu Việt Nam. Vegas79.sale cung cấp đa dạng các sản phẩm cá cược hấp dẫn, bao gồm cá cược thể thao, casino trực tuyến, xổ số, lô đề,...

    ReplyDelete