Overview
Frustum culling can be an expensive operation. Stingray accelerates it by making heavy use of SIMD and distributing the workload over several threads. The basic workflow is:
- Kick jobs to do frustum vs sphere culling
- For each frustum plane, test plane vs sphere
- Wait for sphere culling to finish
- For objects that pass sphere test, kick jobs to do frustum vs object-oriented bounding box (OOBB) culling
- For each frustum plane, test plane vs OOBB
- Wait for OOBB culling to finish
Frustum vs sphere tests are significantly faster than frustum vs OOBB. By rejecting objects that fail sphere culling first, we have fewer objects to process in the more expensive OOBB pass.
Why go over all objects brute force instead of using some sort of spatial partition data structure? We like to keep things simple and with the current setup we have yet to encounter a case where we've been bound by the culling. Brute force sphere culling followed by OOBB culling is fast enough for all cases we've encountered so far. That might of course change in the future, but we'll take care of that when it's an actual problem.
The brute force culling is pretty fast, because:
- The sphere and the OOBB culling use SIMD and only load the minimum amount of needed data.
- The workload is distributed over several threads.
In this post, I we will first look at the single threaded SIMD code and then how the culling is distributed over multiple threads.
I'll use a lot of code to show how it's all done. It's mostly actual code from the engine, but it has been cleaned up to a certain extent. Some stuff has been renamed and/or removed to make it easier to understand what's going on.
Data structures used
If you go back to my previous post about state reflection, http://bitsquid.blogspot.ca/2016/09/state-reflection.html you can read that each object on the main thread is associated with a render thread representation via a render_handle
. The render_handle
is used to get the object_index
which is the index of an object in the _objects
array.
Take a look at the following code for a refresher:
void RenderWorld::create_object(WorldRenderInterface::ObjectManagementPackage *omp)
{
// Acquire an `object_index`.
uint32_t object_index = _objects.size();
// Same recycling mechanism as seen for render handles.
if (_free_object_indices.any()) {
object_index = _free_object_indices.back();
_free_object_indices.pop_back();
} else {
_objects.resize(object_index + 1);
_object_types.resize(object_index + 1);
}
void *render_object = omp->user_data;
if (omp->type == RenderMeshObject::TYPE) {
// Cast the `render_object` to a `MeshObject`.
RenderMeshObject *rmo = (RenderMeshObject*)render_object;
// If needed, do more stuff with `rmo`.
}
// Store the `render_object` and `type`.
_objects[object_index] = render_object;
_object_types[object_index] = omp->type;
if (omp->render_handle >= _object_lut.size())
_object_lut.resize(omp->handle + 1);
// The `render_handle` is used
_object_lut[omp->render_handle] = object_index;
}
The _objects
array stores objects of all kinds of different types. It is defined as:
Array<void*> _objects;
The types of the objects are stored in a corresponding _object_types
array, defined as:
Array<uint32_t> _object_types;
From _object_types
, we know the actual type of the objects and we can use that to cast the void *
into the proper type (mesh, terrain, gui, particle_system, etc).
The culling happens in the // If needed, do more stuff with rmo
section above. It looks like this:
void *render_object = omp->user_data;
if (omp->type == RenderMeshObject::TYPE) {
// Cast the `render_object` to a `MeshObject`.
RenderMeshObject *rmo = (RenderMeshObject*)render_object;
// If needed, do more stuff with `rmo`.
if (!(rmo->flags() & renderable::CULLING_DISABLED)) {
culling::Object o;
// Extract necessary information to do culling.
// The index of the object.
o.id = object_index;
// The type of the object.
o.type = rmo->type;
// Get the mininum and maximum corner positions of a boudning box in object space.
o.min = float4(rmo->bounding_volume().min, 1.f);
o.max = float4(rmo->bounding_volume().max, 1.f);
// World transform matrix.
o.m = float4x4(rmo->world());
// Depending on the value of `flags` add the culling representation to different culling sets.
if (rmo->flags() & renderable::VIEWPORT_VISIBLE)
_cullable_objects.add(o, rmo->node());
if (rmo->flags() & renderable::SHADOW_CASTER)
_cullable_shadow_casters.add(o, rmo->node());
if (rmo->flags() & renderable::OCCLUDER)
_occluders.add(o, rmo->node());
}
}
For culling MeshObject
s and other cullable types are represented by culling::Object
s that are used to populate the culling data structures. As can be seen in the code they are _cullable_objects
, _cullable_shadow_casters
and _occluders
and they are all represented by an ObjectSet
:
struct ObjectSet
{
// Minimum bounding box corner position.
Array<float> min_x;
Array<float> min_y;
Array<float> min_z;
// Maximum bounding box corner position.
Array<float> max_x;
Array<float> max_y;
Array<float> max_z;
// Object->world matrix.
Array<float> world_xx;
Array<float> world_xy;
Array<float> world_xz;
Array<float> world_xw;
Array<float> world_yx;
Array<float> world_yy;
Array<float> world_yz;
Array<float> world_yw;
Array<float> world_zx;
Array<float> world_zy;
Array<float> world_zz;
Array<float> world_zw;
Array<float> world_tx;
Array<float> world_ty;
Array<float> world_tz;
Array<float> world_tw;
// World space center position of bounding sphere.
Array<float> ws_pos_x;
Array<float> ws_pos_y;
Array<float> ws_pos_z;
// Radius of bounding sphere.
Array<float> radius;
// Flag to indicate if an object is culled or not.
Array<uint32_t> visibility_flag;
// The type and id of an object.
Array<uint32_t> type;
Array<uint32_t> id;
uint32_t n_objects;
};
When an object is added to, e.g. _cullable_objects
the culling::Object
data is added to the ObjectSet
. The ObjectSet
flattens the data into a structure-of-arrays representation. The arrays are padded to the SIMD lane count to make sure there's valid data to read.
Frustum-sphere culling
The world space positions and sphere radii of objects are represented by the following members of the ObjectSet
:
Array<float> ws_pos_x;
Array<float> ws_pos_y;
Array<float> ws_pos_z;
Array<float> radius;
This is all we need to do frustum-sphere culling.
The frustum-sphere culling needs the planes of the frustum defined in world space. Information on how to find that can be found in: http://gamedevs.org/uploads/fast-extraction-viewing-frustum-planes-from-world-view-projection-matrix.pdf.
The frustum-sphere intersection code tests one plane against several spheres using SIMD instructions. The ObjectSet
data is already laid out in a SIMD friendly way. To test one plane against several spheres, the plane's data is splatted out in the following way:
// `float4` is our cross platform abstraction of SSE, NEON etc.
struct SIMDPlane
{
float4 normal_x; // the normal's x value replicted 4 times.
float4 normal_y; // the normal's y value replicted 4 times.
float4 normal_z; // etc.
float4 d;
};
The single threaded code needed to do frustum-sphere culling is:
void simd_sphere_culling(const SIMDPlane planes[6], culling::ObjectSet &object_set)
{
const auto all_true = bool4_all_true();
const uint32_t n_objects = object_set.n_objects;
uint32_t *visibility_flag = object_set.visibility_flag.begin();
// Test each plane of the frustum against each sphere.
for (uint32_t i = 0; i < n_objects; i += 4)
{
const auto ws_pos_x = float4_load_aligned(&object_set->ws_pos_x[i]);
const auto ws_pos_y = float4_load_aligned(&object_set->ws_pos_y[i]);
const auto ws_pos_z = float4_load_aligned(&object_set->ws_pos_z[i]);
const auto radius = float4_load_aligned(&object_set->radius[i]);
auto inside = all_true;
for (unsigned p = 0; p < 6; ++p) {
auto &n_x = planes[p].normal_x;
auto &n_y = planes[p].normal_y;
auto &n_z = planes[p].normal_z;
auto n_dot_pos = dot_product(ws_pos_x, ws_pos_y, ws_pos_z, n_x, n_y, n_z);
auto plane_test_point = n_dot_pos + radius;
auto plane_test = plane_test_point >= planes[p].d;
inside = vector_and(plane_test, inside);
}
// Store 0 for spheres that didn't intersect or ended up on the positive side of the
// frustum planes. Store 0xffffffff for spheres that are visible.
store_aligned(inside, &visibility_flag[i]);
}
}
After the simd_sphere_culling
call, the visibility_flag
array contains 0
for all objects that failed the test and 0xffffffff
for all objects that passed. We chain this together with the OOBB culling by doing a compactness pass over the visibility_flag
array and populating an indirection
array:
{
// Splat out the planes to be able to do plane-sphere test with SIMD.
const auto &frustum = camera.frustum();
const SIMDPlane planes[6] = {
float4_splat(frustum.planes[0].n.x),
float4_splat(frustum.planes[0].n.y),
float4_splat(frustum.planes[0].n.z),
float4_splat(frustum.planes[0].d),
float4_splat(frustum.planes[1].n.x),
float4_splat(frustum.planes[1].n.y),
float4_splat(frustum.planes[1].n.z),
float4_splat(frustum.planes[1].d),
float4_splat(frustum.planes[2].n.x),
float4_splat(frustum.planes[2].n.y),
float4_splat(frustum.planes[2].n.z),
float4_splat(frustum.planes[2].d),
float4_splat(frustum.planes[3].n.x),
float4_splat(frustum.planes[3].n.y),
float4_splat(frustum.planes[3].n.z),
float4_splat(frustum.planes[3].d),
float4_splat(frustum.planes[4].n.x),
float4_splat(frustum.planes[4].n.y),
float4_splat(frustum.planes[4].n.z),
float4_splat(frustum.planes[4].d),
float4_splat(frustum.planes[5].n.x),
float4_splat(frustum.planes[5].n.y),
float4_splat(frustum.planes[5].n.z),
float4_splat(frustum.planes[5].d),
};
// Do frustum-sphere culling.
simd_sphere_culling(planes, object_set);
// Make sure to align the size to the simd lane count.
const uint32_t n_aligned_objects = align_to_simd_lane_count(object_set.n_objects);
// Store the indices of the objects that passed the frustum-sphere culling in the `indirection` array.
Array<uint32_t> indirection(n_aligned_objects);
const uint32_t n_visible = remove_not_visible(object_set, object_set.n_objects, indirection.begin());
}
Where remove_not_visible
is:
uint32_t remove_not_visible(const ObjectSet &object_set, uint32_t count, uint32_t *output_indirection)
{
const uint32_t *visibility_flag = object_set.visibility_flag.begin();
uint32_t n_visible = 0U;
for (uint32_t i = 0; i < count; ++i) {
if (visibility_flag[i]) {
output_indirection[n_visible] = i;
++n_visible;
}
}
const uint32_t n_aligned_visible = align_to_simd_lane_count(n_visible);
const uint32_t last_visible = n_visible? output_indirection[n_visible- 1] : 0;
// Pad out to the simd alignment.
for (unsigned i = n_visible; i < n_aligned_visible; ++i)
output_indirection[i] = last_visible;
return n_visible;
}
n_visible
together with indirection
provides the input for doing the frustum-OOBB culling on the objects that survived the frustum-sphere culling.
Frustum-OOBB culling
The frustum-OOBB culling takes ideas from Fabian Giesen's https://fgiesen.wordpress.com/2010/10/17/view-frustum-culling/ and Arseny Kapoulkine's http://zeuxcg.org/2009/01/31/view-frustum-culling-optimization-introduction/.
More specifically we use the Method 2: Transform box vertices to clip space, test against clip-space planes
that both Fabian and Arseny write about. But we also go with Method 2b: Saving arithmetic ops
that Fabian mentions. I won't dwelve into how the culling actually works, to understand that please read their posts.
The code is SIMDified to process several OOBBs at the same time. The same corner of four multiple OOBBs is tested against one frustum plane as a single SIMD operation.
To be able to write the SIMD code in a more intuitive form a few data structures and functions are used:
struct SIMDVector
{
float4 x; // stores x0, x1, x2, x3
float4 y; // stores y0, y1, y2, y3
float4 z; // etc.
float4 w;
};
A SIMDVector
stores x
, y
, z
& w
for four objects. To store a matrix for four objects a SIMDMatrix
is used:
struct SIMDMatrix
{
SIMDVector x;
SIMDVector y;
SIMDVector z;
SIMDVector w;
};
A SIMDMatrix
-SIMDVector
multiplication can then be written as a regular matrix-vector multiplication:
SIMDVector simd_multiply(const SIMDVector &v, const SIMDMatrix &m)
{
float4 x = v.x * m.x.x; x = v.y * m.y.x + x; x = v.z * m.z.x + x; x = v.w * m.w.x + x;
float4 y = v.x * m.x.y; y = v.y * m.y.y + y; y = v.z * m.z.y + y; y = v.w * m.w.y + y;
float4 z = v.x * m.x.z; z = v.y * m.y.z + z; z = v.z * m.z.z + z; z = v.w * m.w.z + z;
float4 w = v.x * m.x.w; w = v.y * m.y.w + w; w = v.z * m.z.w + w; w = v.w * m.w.w + w;
SIMDVector res = { x, y, z, w };
return res;
}
A SIMDMatrix
-SIMDMatrix
multiplication is:
SIMDMatrix simd_multiply(const SIMDMatrix &lhs, const SIMDMatrix &rhs)
{
SIMDVector x = simd_multiply(lhs.x, rhs);
SIMDVector y = simd_multiply(lhs.y, rhs);
SIMDVector z = simd_multiply(lhs.z, rhs);
SIMDVector w = simd_multiply(lhs.w, rhs);
SIMDMatrix res = { x, y, z, w };
return res;
}
The code needed to do the actual frustum-OOBB culling is:
void simd_oobb_culling(const SIMDMatrix &view_proj, const culling::ObjectSet &object_set, uint32_t n_objects, const uint32_t *indirection)
{
// Get pointers to the necessary members of the object set.
const float *min_x = object_set->min_x.begin();
const float *min_y = object_set->min_y.begin();
const float *min_z = object_set->min_z.begin();
const float *max_x = object_set->max_x.begin();
const float *max_y = object_set->max_y.begin();
const float *max_z = object_set->max_z.begin();
const float *world_xx = object_set->world_xx.begin();
const float *world_xy = object_set->world_xy.begin();
const float *world_xz = object_set->world_xz.begin();
const float *world_xw = object_set->world_xw.begin();
const float *world_yx = object_set->world_yx.begin();
const float *world_yy = object_set->world_yy.begin();
const float *world_yz = object_set->world_yz.begin();
const float *world_yw = object_set->world_yw.begin();
const float *world_zx = object_set->world_zx.begin();
const float *world_zy = object_set->world_zy.begin();
const float *world_zz = object_set->world_zz.begin();
const float *world_zw = object_set->world_zw.begin();
const float *world_tx = object_set->world_tx.begin();
const float *world_ty = object_set->world_ty.begin();
const float *world_tz = object_set->world_tz.begin();
const float *world_tw = object_set->world_tw.begin();
uint32_t *visibility_flag = object_set.visibility_flag.begin();
for (uint32_t i = 0; i < n_objects; i += 4) {
SIMDMatrix world;
// Load the world transform matrix for four objects via the indirection table.
const uint32_t i0 = indirection[i];
const uint32_t i1 = indirection[i + 1];
const uint32_t i2 = indirection[i + 2];
const uint32_t i3 = indirection[i + 3];
world.x.x = float4(world_xx[i0], world_xx[i1], world_xx[i2], world_xx[i3]);
world.x.y = float4(world_xy[i0], world_xy[i1], world_xy[i2], world_xy[i3]);
world.x.z = float4(world_xz[i0], world_xz[i1], world_xz[i2], world_xz[i3]);
world.x.w = float4(world_xw[i0], world_xw[i1], world_xw[i2], world_xw[i3]);
world.y.x = float4(world_yx[i0], world_yx[i1], world_yx[i2], world_yx[i3]);
world.y.y = float4(world_yy[i0], world_yy[i1], world_yy[i2], world_yy[i3]);
world.y.z = float4(world_yz[i0], world_yz[i1], world_yz[i2], world_yz[i3]);
world.y.w = float4(world_yw[i0], world_yw[i1], world_yw[i2], world_yw[i3]);
world.z.x = float4(world_zx[i0], world_zx[i1], world_zx[i2], world_zx[i3]);
world.z.y = float4(world_zy[i0], world_zy[i1], world_zy[i2], world_zy[i3]);
world.z.z = float4(world_zz[i0], world_zz[i1], world_zz[i2], world_zz[i3]);
world.z.w = float4(world_zw[i0], world_zw[i1], world_zw[i2], world_zw[i3]);
world.w.x = float4(world_tx[i0], world_tx[i1], world_tx[i2], world_tx[i3]);
world.w.y = float4(world_ty[i0], world_ty[i1], world_ty[i2], world_ty[i3]);
world.w.z = float4(world_tz[i0], world_tz[i1], world_tz[i2], world_tz[i3]);
world.w.w = float4(world_tw[i0], world_tw[i1], world_tw[i2], world_tw[i3]);
// Create the matrix to go from object->world->view->clip space.
const auto clip = simd_multiply(world, view_proj);
SIMDVector min_pos;
SIMDVector max_pos;
// Load the mininum and maximum corner positions of the bounding box in object space.
min_pos.x = float4(min_x[i0], min_x[i1], min_x[i2], min_x[i3]);
min_pos.y = float4(min_y[i0], min_y[i1], min_y[i2], min_y[i3]);
min_pos.z = float4(min_z[i0], min_z[i1], min_z[i2], min_z[i3]);
min_pos.w = float4_splat(1.0f);
max_pos.x = float4(max_x[i0], max_x[i1], max_x[i2], max_x[i3]);
max_pos.y = float4(max_y[i0], max_y[i1], max_y[i2], max_y[i3]);
max_pos.z = float4(max_z[i0], max_z[i1], max_z[i2], max_z[i3]);
max_pos.w = float4_splat(1.0f);
SIMDVector clip_pos[8];
// Transform each bounding box corner from object to clip space by sharing calculations.
simd_min_max_transform(clip, min_pos, max_pos, clip_pos);
const auto zero = float4_zero();
const auto all_true = bool4_all_true();
// Initialize test conditions.
auto all_x_less = all_true;
auto all_x_greater = all_true;
auto all_y_less = all_true;
auto all_y_greater = all_true;
auto all_z_less = all_true;
auto any_z_less = bool4_all_false();
auto all_z_greater = all_true;
// Test each corner of the oobb and if any corner intersects the frustum that object
// is visible.
for (unsigned cs = 0; cs < 8; ++cs) {
const auto neg_cs_w = negate(clip_pos[cs].w);
auto x_le = clip_pos[cs].x <= neg_cs_w;
auto x_ge = clip_pos[cs].x >= clip_pos[cs].w;
all_x_less = vector_and(x_le, all_x_less);
all_x_greater = vector_and(x_ge, all_x_greater);
auto y_le = clip_pos[cs].y <= neg_cs_w;
auto y_ge = clip_pos[cs].y >= clip_pos[cs].w;
all_y_less = vector_and(y_le, all_y_less);
all_y_greater = vector_and(y_ge, all_y_greater);
auto z_le = clip_pos[cs].z <= zero;
auto z_ge = clip_pos[cs].z >= clip_pos[cs].w;
all_z_less = vector_and(z_le, all_z_less);
all_z_greater = vector_and(z_ge, all_z_greater);
any_z_less = vector_or(z_le, any_z_less);
}
const auto any_x_outside = vector_or(all_x_less, all_x_greater);
const auto any_y_outside = vector_or(all_y_less, all_y_greater);
const auto any_z_outside = vector_or(all_z_less, all_z_greater);
auto outside = vector_or(any_x_outside, any_y_outside);
outside = vector_or(outside, any_z_outside);
auto inside = vector_xor(outside, all_true);
// Store the result in the `visibility_flag` array in a compacted way.
store_aligned(inside, &visibility_flag[i]);
}
}
The function simd_min_max_transforms
used above is the function to transform each OOBB corner from object space to clip space by sharing some of the calculations, for completeness the function is:
void simd_min_max_transform(const SIMDMatrix &m, const SIMDVector &min, const SIMDVector &max, SIMDVector result[])
{
auto m_xx_x = m.x.x * min.x; m_xx_x = m_xx_x + m.w.x;
auto m_xy_x = m.x.y * min.x; m_xy_x = m_xy_x + m.w.y;
auto m_xz_x = m.x.z * min.x; m_xz_x = m_xz_x + m.w.z;
auto m_xw_x = m.x.w * min.x; m_xw_x = m_xw_x + m.w.w;
auto m_xx_X = m.x.x * max.x; m_xx_X = m_xx_X + m.w.x;
auto m_xy_X = m.x.y * max.x; m_xy_X = m_xy_X + m.w.y;
auto m_xz_X = m.x.z * max.x; m_xz_X = m_xz_X + m.w.z;
auto m_xw_X = m.x.w * max.x; m_xw_X = m_xw_X + m.w.w;
auto m_yx_y = m.y.x * min.y;
auto m_yy_y = m.y.y * min.y;
auto m_yz_y = m.y.z * min.y;
auto m_yw_y = m.y.w * min.y;
auto m_yx_Y = m.y.x * max.y;
auto m_yy_Y = m.y.y * max.y;
auto m_yz_Y = m.y.z * max.y;
auto m_yw_Y = m.y.w * max.y;
auto m_zx_z = m.z.x * min.z;
auto m_zy_z = m.z.y * min.z;
auto m_zz_z = m.z.z * min.z;
auto m_zw_z = m.z.w * min.z;
auto m_zx_Z = m.z.x * max.z;
auto m_zy_Z = m.z.y * max.z;
auto m_zz_Z = m.z.z * max.z;
auto m_zw_Z = m.z.w * max.z;
{
auto xyz_x = m_xx_x + m_yx_y; xyz_x = xyz_x + m_zx_z;
auto xyz_y = m_xy_x + m_yy_y; xyz_y = xyz_y + m_zy_z;
auto xyz_z = m_xz_x + m_yz_y; xyz_z = xyz_z + m_zz_z;
auto xyz_w = m_xw_x + m_yw_y; xyz_w = xyz_w + m_zw_z;
result[0].x = xyz_x;
result[0].y = xyz_y;
result[0].z = xyz_z;
result[0].w = xyz_w;
}
{
auto Xyz_x = m_xx_X + m_yx_y; Xyz_x = Xyz_x + m_zx_z;
auto Xyz_y = m_xy_X + m_yy_y; Xyz_y = Xyz_y + m_zy_z;
auto Xyz_z = m_xz_X + m_yz_y; Xyz_z = Xyz_z + m_zz_z;
auto Xyz_w = m_xw_X + m_yw_y; Xyz_w = Xyz_w + m_zw_z;
result[1].x = Xyz_x;
result[1].y = Xyz_y;
result[1].z = Xyz_z;
result[1].w = Xyz_w;
}
{
auto xYz_x = m_xx_x + m_yx_Y; xYz_x = xYz_x + m_zx_z;
auto xYz_y = m_xy_x + m_yy_Y; xYz_y = xYz_y + m_zy_z;
auto xYz_z = m_xz_x + m_yz_Y; xYz_z = xYz_z + m_zz_z;
auto xYz_w = m_xw_x + m_yw_Y; xYz_w = xYz_w + m_zw_z;
result[2].x = xYz_x;
result[2].y = xYz_y;
result[2].z = xYz_z;
result[2].w = xYz_w;
}
{
auto XYz_x = m_xx_X + m_yx_Y; XYz_x = XYz_x + m_zx_z;
auto XYz_y = m_xy_X + m_yy_Y; XYz_y = XYz_y + m_zy_z;
auto XYz_z = m_xz_X + m_yz_Y; XYz_z = XYz_z + m_zz_z;
auto XYz_w = m_xw_X + m_yw_Y; XYz_w = XYz_w + m_zw_z;
result[3].x = XYz_x;
result[3].y = XYz_y;
result[3].z = XYz_z;
result[3].w = XYz_w;
}
{
auto xyZ_x = m_xx_x + m_yx_y; xyZ_x = xyZ_x + m_zx_Z;
auto xyZ_y = m_xy_x + m_yy_y; xyZ_y = xyZ_y + m_zy_Z;
auto xyZ_z = m_xz_x + m_yz_y; xyZ_z = xyZ_z + m_zz_Z;
auto xyZ_w = m_xw_x + m_yw_y; xyZ_w = xyZ_w + m_zw_Z;
result[4].x = xyZ_x;
result[4].y = xyZ_y;
result[4].z = xyZ_z;
result[4].w = xyZ_w;
}
{
auto XyZ_x = m_xx_X + m_yx_y; XyZ_x = XyZ_x + m_zx_Z;
auto XyZ_y = m_xy_X + m_yy_y; XyZ_y = XyZ_y + m_zy_Z;
auto XyZ_z = m_xz_X + m_yz_y; XyZ_z = XyZ_z + m_zz_Z;
auto XyZ_w = m_xw_X + m_yw_y; XyZ_w = XyZ_w + m_zw_Z;
result[5].x = XyZ_x;
result[5].y = XyZ_y;
result[5].z = XyZ_z;
result[5].w = XyZ_w;
}
{
auto xYZ_x = m_xx_x + m_yx_Y; xYZ_x = xYZ_x + m_zx_Z;
auto xYZ_y = m_xy_x + m_yy_Y; xYZ_y = xYZ_y + m_zy_Z;
auto xYZ_z = m_xz_x + m_yz_Y; xYZ_z = xYZ_z + m_zz_Z;
auto xYZ_w = m_xw_x + m_yw_Y; xYZ_w = xYZ_w + m_zw_Z;
result[6].x = xYZ_x;
result[6].y = xYZ_y;
result[6].z = xYZ_z;
result[6].w = xYZ_w;
}
{
auto XYZ_x = m_xx_X + m_yx_Y; XYZ_x = XYZ_x + m_zx_Z;
auto XYZ_y = m_xy_X + m_yy_Y; XYZ_y = XYZ_y + m_zy_Z;
auto XYZ_z = m_xz_X + m_yz_Y; XYZ_z = XYZ_z + m_zz_Z;
auto XYZ_w = m_xw_X + m_yw_Y; XYZ_w = XYZ_w + m_zw_Z;
result[7].x = XYZ_x;
result[7].y = XYZ_y;
result[7].z = XYZ_z;
result[7].w = XYZ_w;
}
}
To get a compact indirection array of all the objects that passed the frustum-OOBB culling, the remove_not_visible
function needs to be slightly modified:
uint32_t remove_not_visible(const ObjectSet &object_set, uint32_t count, uint32_t *output_indirection, const uint32_t *input_indirection/*new argument*/)
{
const uint32_t *visibility_flag = object_set.visibility_flag.begin();
uint32_t n_visible = 0U;
for (uint32_t i = 0; i < count; ++i) {
// Each element of `input_indirection` represents an object that has either been culled
// or not culled. If it's not null then do a lookup to get the actual object index else
// use `i` directly.
const uint32_t index = input_indirection? input_indirection[i] : i;
// `visibility_flag` is already compacted, so use `i` directly.
if (visibility_flag[i]) {
output_indirection[n_visible] = i;
++n_visible;
}
}
const uint32_t n_aligned_visible = align_to_simd_lane_count(n_visible);
const uint32_t last_visible = n_visible? output_indirection[n_visible- 1] : 0;
// Pad out to the simd alignment.
for (unsigned i = n_visible; i < n_aligned_visible; ++i)
output_indirection[i] = last_visible;
return n_visible;
}
Bringing the frustum-sphere and frustum-OOBB code together we get:
{
// Splat out the planes to be able to do plane-sphere test with SIMD.
const auto &frustum = camera.frustum();
const SIMDPlane planes[6] = {
float4_splat(frustum.planes[0].n.x),
float4_splat(frustum.planes[0].n.y),
float4_splat(frustum.planes[0].n.z),
float4_splat(frustum.planes[0].d),
float4_splat(frustum.planes[1].n.x),
float4_splat(frustum.planes[1].n.y),
float4_splat(frustum.planes[1].n.z),
float4_splat(frustum.planes[1].d),
float4_splat(frustum.planes[2].n.x),
float4_splat(frustum.planes[2].n.y),
float4_splat(frustum.planes[2].n.z),
float4_splat(frustum.planes[2].d),
float4_splat(frustum.planes[3].n.x),
float4_splat(frustum.planes[3].n.y),
float4_splat(frustum.planes[3].n.z),
float4_splat(frustum.planes[3].d),
float4_splat(frustum.planes[4].n.x),
float4_splat(frustum.planes[4].n.y),
float4_splat(frustum.planes[4].n.z),
float4_splat(frustum.planes[4].d),
float4_splat(frustum.planes[5].n.x),
float4_splat(frustum.planes[5].n.y),
float4_splat(frustum.planes[5].n.z),
float4_splat(frustum.planes[5].d),
};
// Do frustum-sphere culling.
simd_sphere_culling(planes, object_set);
// Make sure to align the size to the simd lane count.
const uint32_t n_aligned_objects = align_to_simd_lane_count(object_set.n_objects);
// Store the indices of the objects that passed the frustum-sphere culling in the `indirection` array.
Array<uint32_t> indirection(n_aligned_objects);
const uint32_t n_visible = remove_not_visible(object_set, object_set.n_objects, indirection.begin(), nullptr);
const auto &view_proj = camera.view() * camera.proj();
// Construct the SIMDMatrix `simd_view_proj`.
const SIMDMatrix simd_view_proj = {
float4_splat(view_proj.v[xx]),
float4_splat(view_proj.v[xy]),
float4_splat(view_proj.v[xz]),
float4_splat(view_proj.v[xw]),
float4_splat(view_proj.v[yx]),
float4_splat(view_proj.v[yy]),
float4_splat(view_proj.v[yz]),
float4_splat(view_proj.v[yw]),
float4_splat(view_proj.v[zx]),
float4_splat(view_proj.v[zy]),
float4_splat(view_proj.v[zz]),
float4_splat(view_proj.v[zw]),
float4_splat(view_proj.v[tx]),
float4_splat(view_proj.v[ty]),
float4_splat(view_proj.v[tz]),
float4_splat(view_proj.v[tw]),
};
// Cull objects via frustum-oobb tests.
simd_oobb_culling(simd_view_proj, object_set, n_visible, indirection.begin());
// Build up the indirection array that represents the objects that survived the frustum-oobb culling.
const uint32_t n_oobb_visible = remove_not_visible(object_set, n_visible, indirection.begin(), indirection.begin());
}
The final call to remove_not_visible
populates the indirection
array with the objects that passed both the frustum-sphere and the frustum-OOBB culling. indirection
together with n_oobb_visible
is all that is needed to know what objects should be rendered.
Distributing the work over several threads
In Stingray, work is distributed by submitting jobs to a pool of worker threads -- conveniently called the ThreadPool
. Submitted jobs are put in a thread safe work queue from which the worker threads pop jobs to work on. A task is defined as:
typedef void (*TaskCallback)(void *user_data);
struct TaskDefinition
{
TaskCallback callback;
void *user_data;
};
For the purpose of this article, the interesting methods of the ThreadPool
are:
class ThreadPool
{
// Adds `count` tasks to the work queue.
void add_tasks(const TaskDefinition *tasks, uint32_t count);
// Tries to pop one task from the queue and do that work. Returns true if any work was done.
bool do_work();
// Will call `do_work` while `signal` == value.
void wait_atomic(std::atomic<uint32_t> *signal, uint32_t value);
};
The ThreadPool
doesn't dictate how to synchronize when a job is fully processed, but usually a std::atomic<uint32_t> signal
is used for that purpose. The value is 0
while the job is being processed and set to 1
when it's done. wait_atomic()
is a convenience method that can be used to wait for such values:
void ThreadPool::wait_atomic(std::atomic<uint32_t> *signal, uint32_t value)
{
while (signal->load(std::memory_order_acquire) == value) {
if (!do_work())
YieldProcessor();
}
}
do_work
:
bool ThreadPool::do_work()
{
TaskDefinition task;
if (pop_task(task)) {
task.callback(task.user_data);
return true;
}
return false;
}
Multi-threading the culling only requires a few changes to the code. For the simd_sphere_culling()
method we need to add offset
and count
parameters to specify the range of objects we are processing:
void simd_sphere_culling(const SIMDPlane planes[6], culling::ObjectSet &object_set, uint32_t offset, uint32_t count)
{
const auto all_true = bool4_all_true();
const uint32_t n_objects = offset + count;
uint32_t *visibility_flag = object_set.visibility_flag.begin();
// Test each plane of the frustum against each sphere.
for (uint32_t i = offset; i < n_objects; i += 4)
{
const auto ws_pos_x = float4_load_aligned(&object_set->ws_pos_x[i]);
const auto ws_pos_y = float4_load_aligned(&object_set->ws_pos_y[i]);
const auto ws_pos_z = float4_load_aligned(&object_set->ws_pos_z[i]);
const auto radius = float4_load_aligned(&object_set->radius[i]);
auto inside = all_true;
for (unsigned p = 0; p < 6; ++p) {
auto &n_x = planes[p].normal_x;
auto &n_y = planes[p].normal_y;
auto &n_z = planes[p].normal_z;
auto n_dot_pos = dot_product(ws_pos_x, ws_pos_y, ws_pos_z, n_x, n_y, n_z);
auto plane_test_point = n_dot_pos + radius;
auto plane_test = plane_test_point >= planes[p].d;
inside = vector_and(plane_test, inside);
}
// Store 0 for spheres that didn't intersect or ended up on the positive side of the
// frustum planes. Store 0xffffffff for spheres that are visible.
store_aligned(inside, &visibility_flag[i]);
}
}
Bringing the previous code snippet together with multi-threaded culling:
{
// Calculate the number of work items based on that each work will process `work_size` elements.
const uint32_t work_size = 512;
// `div_ceil(a, b)` calculates `(a + b - 1) / b`.
const uint32_t n_work_items = math::div_ceil(n_objects, work_size);
Array<CullingWorkItem> culling_work_items(n_work_items);
Array<TaskDefinition> tasks(n_work_items);
// Splat out the planes to be able to do plane-sphere test with SIMD.
const auto &frustum = camera.frustum();
const SIMDPlane planes[6] = {
same code as previously shown...
};
// Make sure to align the size to the simd lane count.
const uint32_t n_aligned_objects = align_to_simd_lane_count(object_set.n_objects);
for (unsigned i = 0; i < n_work_items; ++i) {
// The `offset` and `count` for the work item.
const uint32_t offset = math::min(work_size * i, n_objects);
const uint32_t count = math::min(work_size, n_objects - offset);
auto &culling_item = culling_work_items[i];
memcpy(culling_data.planes, planes, sizeof(planes));
culling_item.object_set = &object_set;
culling_item.offset = offset;
culling_item.count = count;
culling_item.signal = 0;
auto &task = tasks[i];
task.callback = simd_sphere_culling_task;
task.user_data = &culling_item;
}
// Add the tasks to the `ThreadPool`.
thread_pool.add_tasks(n_work_items, tasks.begin());
// Wait for each `item` and if it's not done, help out with the culling work.
for (auto &item : culling_work_items)
thread_pool.wait_atomic(&item.signal, 0);
}
CullingWorkItem
and simd_sphere_culling_task
are defined as:
struct CullingWorkItem
{
SIMDPlane planes[6];
const culling::ObjectSet *object_set;
uint32_t offset;
uint32_t count;
std::atomic<uint32_t> signal;
};
void simd_sphere_culling_task(void *user_data)
{
auto culling_item = (CullingWorkItem*)(user_data);
// Call the frustum-sphere culling function.
simd_sphere_culling(culling_item->planes, *culling_item->object_set, culling_item->offset, culling_item->count);
// Signal that the work is done.
culling_item->store(1, std::memory_order_release);
}
The same pattern is used to multi-thread the frustum-OOBB culling. That is "left as an exercise for the reader" ;)
Conclusion
This type of culling is done for all of the objects that can be rendered, i.e. meshes, particle systems, terrain, etc. We also use it to cull light sources. It is used both when rendering the main scene and for rendering shadows.
I've left out a few details of our solution. One thing we also do is something called contribution culling. In the frustum-OOBB culling step, the extents of the OOBB corners are projected to the near plane and from that the screen space extents are derived. If the object is smaller than a certain threshold in any axis the object is considered as culled. Special care needs to be considered if any of the corners intersect or is behind the near plane so we don't have to deal with "external line segments" caused by the projection. If you don't know what that is see: http://www.gamasutra.com/view/news/168577/Indepth_Software_rasterizer_and_triangle_clipping.php. In our case the contribution culling is disabled by expanding the extents to span the entire screen when any corner intersects or is behind the near plane.
For our cascaded shadow maps, the extents are also used to detect if an object is fully enclosed by a cascade. If that is the case, then that object is culled from the later cascades. Let me illustrate with some ASCII:
+-----------+-----------+
| | |
| /\ | |
| /--\ | |
+-----------+-----------+
| | |
| | |
| | |
+-----------+-----------+
The squares are the different cascades. The top left square is the first cascades, the top right is the second cascade, bottom left the third and the bottom right is the fourth cascade. In this case the weird triangle shaped object is fully enclosed by the first cascade. What that means is that the object doesn't need to be rendered to any of the later cascades, since the shadow contribution from that object will be fully taken care of from the first cascade.
Nice and interesting article( and so was the previous one)
ReplyDeleteI think there is a typo : in the slightly modified remove_not_visible function, the index var is not used. it's probably meant to replace 'i' in the following if.
This comment has been removed by the author.
ReplyDeleteThank you for the post, I love reading about technical stuff like this. I do have one question though:
ReplyDeleteIn the // If needed, do more stuff with `rmo` section the world transform matrix is copied into a culling::Object. This section of code seems to be run from create_object, so would only copy the initial world transform. Does the state reflection system from the last post have other flows for updating the transforms each frame?
Great post! One of my favorites in this blog ever. I wish you could sometime write about how you guys implemented octrees within the DOD paradigm. I never fully understood the best way of setting up a cache-friendly octree that fits well with DOD. Needless to say, it's also hard to find any discussion on that.
ReplyDeleteAnyways, again, truly amazing post.
webroot.com/safe
ReplyDeletewebroot install key code
install webroot
webroot.com/safe
webroot.com/safe
webroot.com/safe
webroot geek squad
webroot geek squad dowload
webroot download
secure anywhere
norton.com/setup
ReplyDeletenorton setup enter product key
norton setup product key
norton setup with product key
Online Help – Step by Step guide for Norton Setup, Download & complete installation online. We are providing independent support service if in case you face problem to activate or Setup Norton product. Just fill the form and will get in touch with you as quick as possible.
Mcafee install
ReplyDeleteinstall mcafee
install mcafee with activation code
enter mcafee activation code
mcafee activate product key
mcafee product activation
mcafee activate
Mcafee.com/activate have the complete set of features which can protect your digital online life the computing devices, and it not only help you to protect it but also it can maintain the stability of your computer, increase the speed with inbuilt PC Optimisation tool.
Setup Microsoft office 365 package with us. We are the team of technical professionals and give the best technical support to our clients even after the installation process
ReplyDeletehttp://officesetupenterproductkey.net/
Install full Microsoft office setup 365 with our support. Now setting up your account will be a cakewalk with us
ReplyDeleteoffice setup enter product key
ReplyDeleteInstall full Microsoft office setup 365 with our support. Now setting up your account will be a cakewalk with us
office setup enter product key
are you interested in using Microsoft office 365 products here we are providing full support to make your computer working with Microsoft office. you dont need to work on anything as we will help you to setup your Microsoft product
ReplyDeleteenter office 365 product key
ReplyDeleteare you interested in using Microsoft office 365 products here we are providing full support to make your computer working with Microsoft office. you dont need to work on anything as we will help you to setup your Microsoft product
central.bitdefender.com
Microsoft office it the package of office tools to make your working smooth and effective.Get it downloaded in your computer with the fast support
ReplyDeleteoffice.com/myaccount
are you interested in using Microsoft office 365 products here we are providing full support to make your computer working with Microsoft office. you dont need to work on anything as we will help you to setup your Microsoft product
ReplyDeletewww.office.com myaccount
Want to protect your computer and gadgets from viruses, no need to worry contact Norton Internet security customer service phone number and get instant help from experts to protect your all device with just one subscription.
ReplyDeleteGetting tired of computer viruses looking for good antivirus security reach Norton antivirus tech support phone number and use your devices without any data theft or virus infection.
ReplyDeleteDownload the Microsoft office setup 365 & Get full support of any query. Get the complete process of installation & product, the procedures to install MS Office keys etc.
ReplyDeleteoffice com setup
norton.com/setup sells Retail Cards which are available in many retail stores. Norton Retail Cards allow you to download your security product from the internet rather than installing from a CD. Downloading security product from the internet ensures you, your setup is the most recent version. Due to viruses and other malicious software it is very difficult to install Norton product for normal computer users.
ReplyDeletenorton.com/setup
McAfee.com/Activate - We made McAfee Activation so easy you can visit www.mcafee.com/activate and redeem your Retail card to Activate McAfee by McAfee Activate.
ReplyDeleteinstall mcafee
ReplyDeleteInstall Webroot for complete internet browsing & web Security in your computer. It will save you from all cyber attacks. The webroot antivirus is a very renowned security tool that protects the computer software and malware & firewall. Install Webroot for complete internet security.
webroot download
webroot.com/safe - Activate Your Webroot Safe today by just visiting Webroot.com/Safe as installing Webroot is a snap. You can download, open, enter keycode & get protected by Webroot With Safe.
ReplyDeletesecure anywhere
office.com/setup Online Help - Step by Step guide for Office Setup, Download & complete installation online. We are providing independent support service in case you face problem to activate or Setup Office product.
ReplyDeleteoffice.com/myaccount
Download the Microsoft office setup 365 & Get full support of any query. Get the complete process of installation & product, the procedures to install MS Office keys etc.
ReplyDeleteinstall office product key
AOL Mail - Aol Sign in, Sign up, Login etc at AOL com Mail. AOL Email Sign in at Mail.aol.com & Also do AOL Password Reset. My AOL Account at aol.com, login.aol.com, i.aol.com or aol.co.uk
ReplyDeleteAOL Mail
Webroot SecureAnywhere Antivirus Shield not working – Webroot SecureAnywhere Antivirus includes a number of shields, which works in the background and protects your system. These shields persistently monitor your system and protect your system from the viruses or malware. Webroot SecureAnywhere includes Real-time Shield, Rootkit Shield,
Webroot SecureAnywhere
You can get Norton product from an online store or retail stores. In both cases, you will get Norton product key, using this key you can activate and use Norton product.
norton product key
Insert the Microsoft Office media disc into the DVD drive. Click "Start" followed by "Computer." Double-click the disc drive if Windows fails to launch setup automatically. Enter your product key when prompted and click "Continue."
ReplyDeleteDownload and install your Norton product on your computer. Sign In to Norton. If you are not signed in to Norton already, you will be prompted to sign in. In the Norton Setup window, click Download Norton. Click Agree & Download. Do one of the following depending on your browser
ReplyDeletewww.norton.com/setup
www.norton.com/setup
Office.Com/Setup - We provide free Office Setup Technical support, Microsoft Office Setup, customer service & online support for install ms office, Get Live Chat Help & Support. | office.com/setup
ReplyDeleteoffice.com/setup
We provide free norton Setup Technical support, antivirus norton Setup, customer service & online support for install ms norton antivirus , Get Live Chat Help & Support. | norton.com/setup
ReplyDeletenorton.com/setup
Thanks for sharing this marvelous post. I m very pleased to read this article.
ReplyDeleteWe provide free service of sites below
office.com/setup
norton.com/setup
IT support
norton.com/nu16
Ogen Infosystem is one of the best Web Design Company in Delhi. For more information visit
ReplyDeleteWebsite Design Company
if you are facing problem during norton.com/setup, do not worry. norton setup provided 24x7 support for antivirus issues, setup on different device such as computer, desktop, laptop, tablet, windows, mac, mobile or any device.
ReplyDeletehttp://nortoncomnorton.com
norton.com/setup
norton setup
www.norton.com/setup
http://nortoncomnorton.com
we office.com/setup understand the fact that a single error may affect your productivity by halting the entire operation. Therefore, we provide our high-quality technical support for office setup 24x7x365. Call us anytime and get the best solution. Apart from contacting us via our technical support number, you can also send your queries via email. We are also available via online chat. US : +1-888-254-4408 UK : +44-0808-234-2376 AUS : +1-800-985-062 (toll free)
ReplyDeletehttp://officecomoffice.com
office.com/setup
office setup
www.office.com/setup
office.com/setup
http://officecomoffice.com
norton.com/setup is one of the most popular antivirus which is highly known for protecting device and giving a one stop security solution to all the people worldwide. The norton setup company offers a great range of software solution which protect your desktops, laptops and mobile phones from the unwanted harmful online threats.
ReplyDeletehttp://nortoncom.org
norton.com/setup
www.norton.com/setup
norton setup
http://nortoncom.org
norton.com/setup , advanced computer security solutions launched by Symantec offers best antivirus products over the world. As we all are well aware of the common menace that people face in this digital arena. Those common menaces are the viruses and spyware which disrupt the functioning of the computer and lead to data loss in worst case scenarios. It works best with a various operating system which includes Windows, Mac, IOS, etc.
ReplyDeletehttp://norton-norton.com
norton.com/setup
norton setup
www.norton.com/setup
http://norton-norton.com
Aol email Support
ReplyDeleteAol Customer Service
Get Instant Aol Support for Technical Issue like Aol email Sign In Problem, Forgot Password, Aol Customer Service is the Highly Experts team, Call Aol Technical Support 24/7
http://aoltech.support/
Aol Support
Aol Tech Support
Aol tech support phone number
Aol Customer Support
Trendmicro BestBuy pc
ReplyDeleteTrendmicro.com/bestbuypc
www.Trendmicro.com/bestbuy
Get TrendMicro Antivirus Activate with the link trendmicro.com/bestbuypc with Valid Product key. Get Instant Trend Micro support with the link trendmicro.com/bestbuypc
http://www.trendmicrocombestbuypc.com/
Trendmicro Support
www.Trendmicro.com/bestbuypc
Trendmicro.com/bestbuy
www.Trendmicro.com best buy downloads
www.norton.com/setup take step from here to Norton Setup Support, Call us1-844-546-5500 to Setup Your Norton Now. Download Reinstall and Activate, manage.norton.com Norton Setup.
ReplyDeletewww.norton.com/setup
we provide 24/7 customer service click here for any help
ReplyDeleteaol support
call tech
facebook support
hotmail support
microsoft support
firefox support
office.com/setup – Check out the easy steps for installing, downloading, activation and re-installing the Microsoft office at
ReplyDeleteoffice.com/setup. MS Office Products like Office 365 Home, Office 2016 Business Premium, Office Professional 2016, Renew your Office, Office 365 Personal etc.
Looking for norton.com/setup The Official Norton Site for setup, download, reinstall is my.norton.com/home/setup where you can enter and activate your product key to setup your account
ReplyDeleteAfter visiting the www.norton.com/setup, access your account, manage your subscription, and Extend your Norton setup protection key to PC, Mac, Android and iOS Phone.
ReplyDeletehttp://nuenorton.com
norton.com/setup
Need a job or want to start a business? Start by Mobile Training Course in Delhi. Join ABC Mobile Institute of Technology, which is giving you the opportunity to learn everything in this field. We trained students on practical basis and ABCMIT India’s No.1 Mobile/LED LCD repairing Institute. Free Demo class available. Contact us at 9990879879
ReplyDeleteMobile Training Institute in Delhi
Mobile Training Course in Delhi
HP Printer Customer Support Phone Number Get instant tech support for your printer, laptop, desktop needs from the best-skilled professionals. Call us at +1-888-621-0339.
ReplyDeleteOne of such kind is the Norton Antivirus Software. It protects the systems, laptops, etc. from viruses, spyware, worms and Trojan horses. To get Norton setup product key or setup on the link norton.com/setup Get Started.It continuously scans the computer as the user surfs various websites, so that it can provide a constant protection against viruses.http://nortonnortoncom.com/
ReplyDeleteEven allow the Norton setup product to scan and list the junk files that are occupying your storage space in your Mac,Go to norton.com/setup and examine if you are facing the same problem as before.To configure the settings, you need to select ‘Run now’ option.http://norton--norton.com/
ReplyDeleteOne of such kind is the Norton Antivirus Software. It protects the systems, laptops, etc. from viruses, spyware, worms and Trojan horses. To get Norton setup product key or setup on the link norton.com/setup Get Started.It continuously scans the computer as the user surfs various websites, so that it can provide a constant protection against viruses.http://nortonnortoncom.com/
ReplyDeleteOffice 365 gives flexibility to the user with cloud driven features, and provides all the familiar apps that you depend on for your business such as Word, Excel, PowerPoint, OneNote, Publisher, Access, and Outlook. visit office.com/setup for Download, Installation and Activation Microsoft Office. Microsoft Office 2019 is the latest version of the office productivity suite and will be released in the second half of 2018. http://officeofficecom.com/
ReplyDeletenorton setup, advanced computer security solutions launched by Symantec offers best antivirus products over the world. As we all are well aware of the common menace that people face in this digital arena. Those common menaces are the viruses and spyware which disrupt the functioning of the computer and lead to data loss in worst case scenarios. norton.com/setup works best with a various operating system which includes Windows, Mac, IOS, etc.
ReplyDeleteoffice.com/setup, the popular productivity suite includes a number of servers, application, and services. www.office.com/setup has been developed for Windows, Mac, Android, and iOS operating systems. With office setup 365 as the latest version, the software is being widely used by the consumers and businesses.
ReplyDeletenorton.com/setup is very easy to use, You need to click on norton setup file and click on scan button to start the device scanning. Scanning may take some time and and it will scan complete system directories and all files. After complete scanning it will prompt for scanned files and threates detected.
ReplyDelete
ReplyDeleteNorton, one of the top renowned providers of the antivirus products for securing the devices as well as the data of its users against the online threats like virus, spyware, malware, and many more such cyber attacks.
www.Norton.com/setup
Hello! This is my first visit to your blog! This is my first comment here, so I just wanted to give a quick shout out and say I genuinely enjoy reading your articles. Your blog provided us useful information. You have done an outstanding job.
ReplyDeletemalaysia visa singapore
Such a great post. first-time I visit your website and I am glad to be here and read this wonderful post. I have read a few articles on your website and I really like your article. Brother Printer Technical Support Phone Number
ReplyDeleteBrother Printer Tech Support Phone Number
How to install Norton Security on the link norton.com/setup Get Started. Sometimes during the time you were surfing the internet or downloading any content or app from the internet so some different viruses, malware or spyware spread on your system and your system might be damage your system or windows run slowly.
ReplyDeletevisit office.com/setup for Download, Installation and Activation Microsoft Office. Microsoft Office 2019 is the latest version of the office productivity suite and will be released in the second half of 2018.Office 365 gives flexibility to the user with cloud driven features, and provides all the familiar apps that you depend on for your business such as Word, Excel, PowerPoint, One Note, Publisher, Access, and Outlook.
ReplyDeleteOffice Setup To get started with your Microsoft Office Installation you must need valid product key code & visit http://www.Officecomusa.com and we can also help you with your entire process to setup office product online. Call 24/7 Anytime to technical Support Help.
ReplyDeleteThe restaurants serve a variety of foods that include tacos, burritos, quesadillas, nachos,
ReplyDeletenovelty and specialty items, and a variety of “value menu” items. If you are one
the food lovers and love to eat at Taco Bell then you must participate in
TellTheBell customer satisfaction survey.
Tell the bell customer survey
After visiting office.com/setup Enter 25 digit alphanumeric product key.Get quick office setup product key verification and office setup.Install office Guide step by step . office.com/setup
ReplyDeleteDisclaimer: www.activation-kaspersky.com is an independent support provider on On-Demand Technical Services For Kaspersky products. Use Of Kaspersky Name, logo, trademarks & Product Images is only for reference and in no way intended to suggest that www.activation-kaspersky.com has any business association with Kaspersky trademarks,Names,logo and Images are the property of their respective owners, www.activation-kaspersky.com disclaims any ownership in such conditions.
ReplyDeleteactivation-kaspersky.com
Webroot aims to offer complete protection of sensitive files across all your devices that include all kinds of iOS devices, OS devices as well as Android devices by encrypting them, controlling access as well as providing an audit trail for changes to these types of files.
ReplyDeletevisit: www.webroot.com/safe
Webroot.com/safe- Experience next-generation Security level with Webroot on your all devices. Install and activate webroot from www.webroot.com/safe and don’t forget to run webroot safe scan to feel secure anywhere.webroot.com/safe is a computer security software program for Microsoft Windows users that combine software as a service cloud protection with traditional Antivirus and anti-spyware desktop technologies.
ReplyDeletevisit: www.webroot.com/safe
With the development of the digital world, online protection is crucial. It is extremely important to protect your PCs, Mac, computers as well as mobile devices and tablets with www.trendmicro.com/bestbuy.
ReplyDeletevisit: www.trendmicro.com/bestbuy
TREND MICRO Antivirus activation customer service is available online only. There is no requirement of taking the computer device to service center for Activation code setup.
ReplyDeletevisit: www.trendmicro.com/bestbuypc
We can help you detect and remove malicious threats, malware and spyware by performing a quick scan on all files and folders.
ReplyDeletevisit: www.trendmicro.com/bestbuy
How can we help you with McAfee Activation and Installation Online?
ReplyDeleteWhile you redeem your McAfee Retail Card product correctly
Check system compatibility and required software.
To login to your account or with restoring old account
Diagnose your operating system for better speed and optimization
Additionally cleanup all the conflicting software’s along with junk files in your PC
We can install all the required and important updates of your OS
visit: www.mcafee.com/activate
This antivirus program is so light and easy to install, you and your family will be protected in just moments. It’ll then keep protecting you day and night, automatically updating itself against the latest threats to help keep you and your family safe.
ReplyDeletevisit: My Kaspersky Activate
This antivirus program is so light and easy to install, you and your family will be protected in just moments. It’ll then keep protecting you day and night, automatically updating itself against the latest threats to help keep you and your family safe.
ReplyDeletevisit: usa.kaspersky.com/kisdownload
This antivirus program is so light and easy to install, you and your family will be protected in just moments. It’ll then keep protecting you day and night, automatically updating itself against the latest threats to help keep you and your family safe.
ReplyDeletevisit: www.avast.com/index
We can help you detect and remove malicious threats, malware and spyware by performing a quick scan on all files and folders.
ReplyDeletevisit: us.eset.com/activate
We can help you detect and remove malicious threats, malware and spyware by performing a quick scan on all files and folders.
ReplyDeletevisit: www.bitdefender.com/central
I was looking for an article on the implementation of frustum culling and here I have found it. Buy Soma 500 mg at online pharmacy pills.
ReplyDeletenorton setup is simple for any client and gadget. you have to go to office site of norton and enter key to initiate it.norton is easy to use and simple to explore with inbuilt guidance to setup and sweep your gadget for assurance.
ReplyDeletenorton.com/setup | www.norton.com/setup
Need to Have Advanced Technology internet security software from webroot.com/safe Software company with the following link webroot secureanywhere keycode that help to protect all device from virus, malware and other online threats. for more information Visit... http://www.webroot-safe-download.co.uk/
ReplyDelete
ReplyDeleteStep by Step guide for kASPERSKY Setup, kaspersky Activation, kaspersky error, kaspersky help, Download & complete installation online.
We are providing independent support service if in case you face problem to activate or Setup your product
http://www.activation-kaspersky.com
kaspersky activation
kaspersky setup
kaspersky.com/setup
www.kaspersky.com
kaspersky support
kaspersky error
kaspersky technical suport
kaspersky antivirus
kaspersky help
kaspersky install
ReplyDeleteStep by Step guide for kASPERSKY Setup, kaspersky Activation, kaspersky error, kaspersky help, Download & complete installation online.
We are providing independent support service if in case you face problem to activate or Setup your product
http://www.keyfile-kaspersky.com
kaspersky activation
kaspersky setup
kaspersky.com/setup
www.kaspersky.com
kaspersky support
kaspersky error
kaspersky technical suport
kaspersky antivirus
kaspersky help
kaspersky install
ReplyDeleteStep by Step guide for AVG Setup, AVG Activation, AVG error, AVG Retail, AVG help, Download & complete installation online.
We are providing independent support service if in case you face problem to activate or Setup your product
http://wwwavgcomretail.com
AVG com retail
AVG activate
AVG setup
AVG.com/setup
www.AVG.com/setup
AVG support
support.avg.com
AVG error
AVG technical support
AVG antivirus
AVG help
AVG install
HI. I write about latest Gadgets and Technology.
ReplyDeleteFor read my Articles visit my site:
Latest Gadgets
Canon Printer Offline – Canon is a leading optical product and imaging product company. They have a great many products and services to offer, such as cameras, camcorders, photocopiers, steppers, computer printers, and medical equipment. And one of its really demanding product is the printer. They have printers for both personal and business use. The Canon sell their printers both online and offline along with the accessories.
ReplyDeleteCanon Printer Offline
123.hp.com/setup – HP provides a vast range of peripheral devices such as DeskJet, OfficeJet, OfficeJet ProAll-in-One and Envy printers etc. The HP printers use the latest technology and advanced features which helps you to print,copy and scan as well with ease. In order to use the HP printers, you need to install the Printers drivers on your system.
ReplyDelete123.hp.com/setup
May I simply just say what a relief to discover someone that actually knows what they are talking about online. You actually know how to bring an issue to light and make it important. A lot more people ought to look at this and understand this side of the story. It's surprising you aren't more popular given that you definitely possess the gift. bigg boss io
ReplyDelete
ReplyDeleteABOUT NORTON SETUP 25 DIGITS PRODUCT KEY :
The Norton security package is simple to setup & install at norton.com/setup. Simply find 25-character alpha-numeric code that is written on the backside of the retail card. Here may be a sample Product Key to let you understand:
xxxxx-xxxxx-xxxxx-xxxxx-xxxxx
USER GUIDE FOR INSTALLATION OF NORTON.COM/SETUP ANTIVIRUS
When you buy any antivirus product from this American brand, you can install the same on your device with ease. It is extremely convenient to install any of the security packages from Norton with a few simple steps that you need to follow.
https://setnortoncom.com/
ReplyDeleteABOUT NORTON SETUP 25 DIGITS PRODUCT KEY :
The Norton security package is simple to setup & install at norton.com/setup. Simply find 25-character alpha-numeric code that is written on the backside of the retail card. Here may be a sample Product Key to let you understand:
xxxxx-xxxxx-xxxxx-xxxxx-xxxxx
USER GUIDE FOR INSTALLATION OF NORTON.COM/SETUP ANTIVIRUS
When you buy any antivirus product from this American brand, you can install the same on your device with ease. It is extremely convenient to install any of the security packages from Norton with a few simple steps that you need to follow.
https://setnortoncom.com/
ABOUT NORTON SETUP 25 DIGITS PRODUCT KEY :
The Norton security package is simple to setup & install at norton.com/setup. Simply find 25-character alpha-numeric code that is written on the backside of the retail card. Here may be a sample Product Key to let you understand:
xxxxx-xxxxx-xxxxx-xxxxx-xxxxx
USER GUIDE FOR INSTALLATION OF NORTON.COM/SETUP ANTIVIRUS
When you buy any antivirus product from this American brand, you can install the same on your device with ease. It is extremely convenient to install any of the security packages from Norton with a few simple steps that you need to follow.
https://setnortoncom.com/
ABOUT NORTON SETUP 25 DIGITS PRODUCT KEY :
ReplyDeleteThe Norton security package is simple to setup & install at norton.com/setup. Simply find 25-character alpha-numeric code that is written on the backside of the retail card. Here may be a sample Product Key to let you understand:
xxxxx-xxxxx-xxxxx-xxxxx-xxxxx
USER GUIDE FOR INSTALLATION OF NORTON.COM/SETUP ANTIVIRUS
When you buy any antivirus product from this American brand, you can install the same on your device with ease. It is extremely convenient to install any of the security packages from Norton with a few simple steps that you need to follow.
https://setnortoncom.com/
norton.com/setup your account and protect your device with Viruses
ReplyDeletenorton.com/setup download the latest version of norton antivirus and protect your pc with all types of Threat and malware,or call us for online support.
For more visit website: norton.com/setup
ReplyDeleteoffice.com/setup – After purchasing Microsoft Office setup, you need to download it from your account. Click on the Install button and then activate the setup by going to
www.office.com/setup and entering the activation
key.
norton.com/setup |
office.com/setup |
Hi
ReplyDeleteFacebook is a all world uses on social media site and we are connect on social sites with friend and family or intreact other known people and If you are use on Facebook and face any issue that profile create, privacy issue,and any technical or manual issue then you need to help Facebook Technical support number 1855 216 7829 and get the information on customer service.
Facebook technical support
Roadrunner email support
ReplyDeleteRoadrunner support
Roadrunner Customer support
Roadrunner email support number
Roadrunner email support
Roadrunner email support phone number
Roadrunner support telephone number
Roadrunner telephone number
Roadrunner email support phone number
Roadrunner email help
Roadrunner Support number
Roadrunner Suport
Time warner email support
TWC email support
TWC support
roadrunner technical support
roadrunner technical support Phone Number
Roadrunner phone number
Roadrunner number
roadrunner customer service
roadrunner customer service Phone Number
Roadrunner Support phone number
Roadrunner telephone number
The article shares very meaningful information,I hope that you will be writing this post again. Thanx for sharing...
ReplyDeleteweb development company in noida
When the HP Envy 4520 printer says offline in windows 10 because printer wireless system is not working properly or there might be computer related issues. Anyone can easily recover from this problem by this most simple step "restarting your Wireless Router and after that restarting your computer." In case still your HP Envy 4520 Printer offline then we have some more steps which you can follow to fix this issue online.
ReplyDeletehp envy 4520 offline
Nice Post. I read your Post very useful and helpful sites.Thanks for sharing this information.I really Like It This Post www.webroot.com/safe
ReplyDeleteThe article is astoundingly great and facilitate. This is decisively what I require. I have never thought the affirmation delegates give careful thought in web masterminding that way.
ReplyDeletehttp://nortoncom-nu16.com/
i found your article very intresting. really nice post. keep posting this type of important post. lots of love from rajasthan
ReplyDeletealso help me to improve my backlinking i am adding my website link.
https://itbrood.com/products/all-india-phone-number-database.php
Buy Phone number database
This is Great post, i will Read it i hope you will Write new post in some days I will wait your post. Thank you for sharing this blog
ReplyDeleteBest nursing coaching in Haryana |
Best nursing Institute in Haryana |
Best nursing Academy in Haryana |
Dream Catcher
Dream Catcher Online
We provide comprehensive cleaning service in Sydney. Our cleaning service is the envy of other cleaning services. When considering which bond cleaning service to use, we recommend you give some thought to how Sydney Cleaners can assist you.
ReplyDeleteNew first class services , Cleaning Services Sydney |
Web Design Sydney |Pest Control Sydney
New first class services
Cleaning Services Sydney
Web Design Sydney
Pest Control Sydney
Title: Trend micro best buy downloads Call - 1-877-339-7787 (www.trendmicrobestbuy.com)
ReplyDeleteDescription : Trend micro best buy https://trendmicrobestbuy.com antivirus is one of the top rated
antivirus program available online. It safeguards a user from cyber threats such as malware, spyware and viruses that may steal confidential user information and that information later can be used by hackers for financial gains. Trend micro also optimizes computer system for performance related issues. It speeds up system bootup time and restricts unwanted system programs from using system resources. It also protects the user from phishing websites that may trick them to enter their private information.
trend micro best buy downloads
trend micro best buy pc
trend micro best support
trend micro best buy pc
hanks for sharing the details and information on this oage.
ReplyDeleteBook International tickets Online
Cheap International Air Tickets
compare flight price India
This is totally about coding blog. much great share. that is soo great..
ReplyDeleteLaptop on Rent in Delhi NCR
Projector on Rent in Delhi
Led Lcd Smart Tv Repairing Course In Delhi
Led Lcd Repairing Institute In Delhi
Thank you so much for such a precious article. much great
ReplyDeleteLaptop on Rent in Delhi NCR
Projector on Rent in Delhi
nice post Dear
ReplyDeletecleaning services sydney
cleaners in sydney
sydney cleaning
house cleaning sydney
end of lease cleaning sydney
Norton Antivirus does well in discovering a wide range of infections and malware. It even gives the full framework sweep or explicit organizer output of the framework.
ReplyDeleteNorton.com/nu16
Norton.com/setup
Norton setup
www.norton.com/nu16
Trend micro activation code.1-877-339-7787 (www.trendmicro-activate.com)
ReplyDeleteDescription :Install trend micro at www.trendmicro-activate.com antivirus is one of the top rated antivirus program available online. It safeguards a user from cyber threats such as malware, spyware and viruses that may steal confidential user information and that information later can be used by hackers for financial gains. Trend micro also optimizes computer system for performance related issues. It speeds up system bootup time and restricts unwanted system programs from using system resources. It also protects the user from phishing websites that may trick them to enter their private information.
Trend micro activation code
Trend micro activation code.1-877-339-7787 (www.trendmicro-activate.com)
ReplyDeleteDescription :Install trend micro at www.trendmicro-activate.com antivirus is one of the top rated antivirus program available online. It safeguards a user from cyber threats such as malware, spyware and viruses that may steal confidential user information and that information later can be used by hackers for financial gains. Trend micro also optimizes computer system for performance related issues. It speeds up system bootup time and restricts unwanted system programs from using system resources. It also protects the user from phishing websites that may trick them to enter their private information.
Trend micro activation code
Nice article
ReplyDeleteThank you for sharing Informatics article
Pawna lake camping
https://www.pavnalakecamp.com
https://www.pawnalakecampings.com
pariwikisu
ReplyDeleteIt’s really very informative and helpful. Thank you for sharing such an amazing information. Besides this every thing is clear and best in this article. Keep it up.
ReplyDeleteBitdefender support
ReplyDeleteIt’s really very informative and helpful. Thank you for sharing such an amazing information. Besides this every thing is clear and best in this article. Keep it up.
Bitdefender support
We are providing Whatsapp Marketing Software for business marketing purpose, Our Software helps to marketing your business through whatsapp.Whatsapp Marketing software is very fast tool for sending bulk whatsapp. Bulk Whatsapp marketing software is a tool to send whatsapp messaging very fast and very effective way. By this software you can boost your business with very high. That helps to promote your business.
ReplyDeletehttps://tinyurl.com/ycqaepoz A plus Forum Halik The series on ABS-CBN’s February evening February and worldwide via Halik The Filipino Channel Halik on Feb 2019,February 2019 ,March 2019,April 2019 Halik February 2019
ReplyDeleteaplusforum.com/setup
ReplyDeleteNorton Install & protection item on PC or Mac by entering your product key in Norton setup window. We provide independent support service for norto.com/setup from the event to set up, manage, download, install or reinstall Norton antivirus.
ReplyDeleteNorton.com/nu16
Norton.com/setup
Norton setup
www.norton.com/nu16
http://mcdonaldsurveycanada.info/
ReplyDeleteNorton setup now is simple to install on your PC. Although Norton setup's website norton.com/setup
ReplyDeleteprovides all the guides for installation. It is noted that some users face problem while installing Norton antivirus.
<a href="https://surveyprize.net/www-getgolistens-com/></a>
ReplyDeleteHi
ReplyDeleteA debt of gratitude is in order for perusing this blog I trust you discovered it bolsters and superlatively data. I have perused your blog great data in this Facebook Tech Support Number blog. It was great learning from this blog. Your blog is a decent motivation for this blog.
Hi
ReplyDeleteA debt of gratitude is in order for perusing this blog I trust you discovered it bolsters and supportively data. I have perused your blog great data in this Facebook Tech Support Number blog. It was great learning from this blog. Your blog is a decent motivation for this blog.
This is a great inspiring article.I am pretty much pleased with your good work.You put really very helpful information.
ReplyDeletewww.office.com/setup
Install Kaspersky with activation code https://kaspersky-activate.com
ReplyDeleteinstall kaspersky with activation code | How to install and activate kaspersky on multiple computers
• Each copy of a multiple-device license for Kaspersky Anti-Virus 2019 (for example, a 3 PCs license) is installed and activated in the same way on all computers you want to protect.
• In conclusion to activate Kaspersky Internet Security 2016 on all computers, use one and the same activation code you purchased.
https://kaspersky-activate.com/
Install Kaspersky with activation code
Thanks a lot for the blog post.Really looking forward to read more. Really Great.Yeh Rishta Kya Kehlata Hai
ReplyDeleteBest company for web design company in Delhi check here for more info
ReplyDeleteweb design company in delhi
website designing company in gurgaon
clock here to visit.
ReplyDeleteHello Sir.. Good Afternoon Your Article informative if you anyone surfing related norton antivirus then we will solve your all problem thank a lot if you want to see anyone related information visit our website: Norton.com/setup
ReplyDeletePerfect Keto Max Additionally previously I mentioned a health conscious diet on why Yoga practices of a sure nature for fat burn is a mindful shift reflecting the looks you dream of. Trusted fast weight reduction suggestions can be a dependable means of dropping weight, specialists state that not all weight discount food regimen plans and packages could be effective. Of us studying articles in Natural News are fascinated about improving way of life, studying the newest tips and hints for life-style changes, eating more nutritionally, de-stressing, and shedding pounds. Individuals who drink rooibos tea report feeling calmer and relaxed, which will be beneficial when faced with the stress of weight loss. As you begin your weight reduction plan, take the time to carefully consider your scenario.
ReplyDeletehttps://supplementportal.com/perfect-keto-max/
ReplyDeleteHello, I check your blog regularly. Your writing style is awesome, keep up the good work!
Yeh Rishta Kya Kehlata Hai
ReplyDeleteHello, I check your blog regularly. Your writing style is awesome, keep up the good work!
Yeh Rishta Kya Kehlata Hai
Norton.com/MyAccount - Norton is one of the popular names in all over the world for offering the best services and enhanced features .It has robust security softwares which keep the computer and other devices safe from various threats like worms, phishing attacks, keyloggers, Trojan horses, viruses, and all sorts of advanced malwares.Norton my account helps you organize your Norton antivirus subscriptions, change your personal data, add, edit or modify your payment details, and access other functionalities under one roof.
ReplyDeletenorton.com/setup
norton setup
install norton
I like this blog, if you want to set your application easily and get acquainted with the application. We even help you if you face any kind of issues regarding setup of Microsoft office application.
ReplyDeleteoffice.com/setup
office setup key
office activation key
Trend micro best buy downloads Call - 1-877-339-7787 (www.trendmicrobestbuy.com)
ReplyDeleteTrend micro best buy https://trendmicrobestbuy.com antivirus is one of the top rated
antivirus program available online. It safeguards a user from cyber threats such as malware, spyware and viruses that may steal confidential user information and that information later can be used by hackers for financial gains.
www.trendmicro.com/bestbuypc
www.trendmicro.com best buy download
Norton.com/nu16 to guard your device against malicious package programs. Norton Setup, laptop dangers and malware strike unit one regular for the massive get-together using laptop, PCs or Mobile telephones.
ReplyDeleteNorton.com/nu16
Norton Setup
Norton setup
www.norton.com/nu16
norton my account
www.norton.com/setup
norton enter product key
Artikel yang sangat hebat. Terima kasih. Semoga semua perkara baik datang kepadamu. Selamat menemui anda
ReplyDeletePhối chó bull pháp
Phối giống chó Corgi
Phối chó Pug
Phối giống cho Pug
nice post
ReplyDeleteNorton.com/setup
Norton.com/setup Enter Product key
Norton.com Download/setup
Norton.com Install/setup
Norton.com Activate/setup
very nice code, thanks
ReplyDeletebiography
We Fix All Printer Problem, Dell printer, Epson printer, HP printer, Brother Printer, or any other Printer, Call us Now +1-888-883-9839
ReplyDeletePrinter Support Number USA
HP Printer Support Number USA
McAfee.com/activate - McAfee is an American global computer security software company headquartered in Santa Clara, California and claims to be the world's largest dedicated security technology company.For any support or help regarding mcafee products installed on your system dial into Mcafee antivirus customer support phone number.
ReplyDeletemcafee activate | norton.com/setup | norton.com/setup
With almost everybody accessing the World Wide Web from different devices like PC, Laptop or smartphone; the internet has developed into a hotspot for online crimes, known as cyber-crimes, executed by expert hackers. Since every single detail of us exist online in the form of social media accounts, banking information as well as our hard-earned money in digitised form; it becomes essential to have impeccable and immaculate online security. Webroot antivirus products are developed with the primary goal of giving a user peace of mind in the context of online safety. It doesn’t matter whether a person is accessing the internet for personal use or has a small to big-sized business; webroot.com/safe has perfect security solutions for everybody.
ReplyDeleteinstall webroot |webroot install | webroot safe | www.webroot.com/safe | brother printer support | brother printer support number | Brother Printer Customer Services Number | brother support number | brother printer drivers
jobapplicationguide
ReplyDeleteIf you looking from antivirus and Microsoft office setup download free antivirus and Microsoft office.Norton.com/Setup| office.com/setup|Kaspersky total security
ReplyDeleteWhat a great information you shared with us, I am inspired by the method for the stage. It kept joined me regularly. Keep doing awesome. Thanks for sharing this blog article.
ReplyDeleteelogin Guide
https://elogin.info/
ReplyDeleteWord Whizzle Search Specialist Answers
ReplyDeleteVery efficiently written information. It will be valuable to everyone who uses it, including myself. Excellent blog you have here but I was curious about if you knew of any community forums that cover the same topics talked about in this article? I’d really like to be a part of online community where I can get advice from other experienced individuaLs that share the same interest. Get Update your antivirus visit mcafee.com/activate
ReplyDeleteMcafee Activation Help
Get Latest modded apks free of cost.
ReplyDeleteDownload premium version of all apps and games.
GoModApks
Hi All,
ReplyDeleteI have found one of the best SEO services provider company in Delhi(www.nexcuit.com) they are providing the best SEO service in Delhi, here you can get the best professional services within your budget and as per your given timeline this company is among one of the top most companies which provide SEO services in India as of now Our Office is situated in East Delhi which is close to Nirman Vihar metro station.For more details please dial+919910326510 and get more insights concerning their charges, 100% satisfaction guaranteed.
seo services in India
seo company in delhi
This is really helpful post, very informative there is no doubt about it. I found this one pretty fascinating.
ReplyDeletemcafee.com/activate
norton.com/setup
mcafee.com/activate
Hi, the post which you have provided is fantastic, I really enjoyed reading your post, and hope to read more. thank you so much for sharing this informative blog. This is really valuable and awesome. I appreciate your work.
ReplyDeleteFor more information visit on mcafee.com/activate | Norton.com/setup | mcafee.com/activate
Know how to solve Gmail problems in just couple of minutes at gmail support number.
ReplyDeletemost interesting article
ReplyDeletehttp://mcafeeactivationkey.com
ReplyDeleteCheap tramadol 50mg is an effective drug that is used to treat mild to acute pain in the body. It works by deterring the pain signals transmitting to your brain. This medicine could treat both mild to chronic pain. If you are having pain you could buy this medication, however, you need to consult your doctor before purchasing it.
https://globalonlinepills.com/product/tramadol-50-mg/
Follow just easy and simple steps to activate your Microsoft Office setup. Just go to www.office.com/setup, log in with your associated email id and put your 25 digit activation key that you got while purchasing the Microsoft office setup.
ReplyDeleteMcAfee provides many protection tool and services that create strong and robust safety protection on your system. Following are some of them by which McAfee ensures security in your digital world.mcafee.com/activate
ReplyDeletenorton.com/setup
ReplyDeletenorton.com/setup
You can now download and share your profile photos at no charge with the instagram free photo download feature which is one of the tools that you can get injured for free.
ReplyDeletefollowers buy,
Hmm, that is some compelling information you've got going! Makes me scratch my head and think. Keep up the good writing.
ReplyDeleteVideo Watch Online: Aladdin Serial All Episode
ReplyDeleteenglish speaking course in noida
bitsquid.blogspot.com/2016/10/the-implementation-of-frustum-culling.html
The post shares very meaningful information,I hope that you will be writing this post again. Thanx for such type of information...
ReplyDeleteenglish speaking course in noida
Thanks for sharing valuable Information, I really very impressive on your blog. I hope you continue on blogging job.
ReplyDeleteEnglish Speaking Course in Noida
Wow!! Really a nice Article. Thank you so much for your efforts. Definitely, it will be helpful for others
ReplyDeleteJust want to share a valuable information for Every enterprise either small or big who want to get noticed for the money making keywords on Google, which is the number one search engine in the internet wold help the entrepreneur in bringing new and buying customers to there doorstep. nexcuit is the leading and best SEO services in Delhi undoubtedly nexcuit is one of the leading SEO Company in Delhi that offers the best SEO solution for small and medium businesses and helps them achieve the first-page rank using all safe and ethical practices. To get a free quote or to choose the best SEO Company in Delhi,Call @ +919910326510 and get more insights relating to there charges, Get best SEO Package from the Best SEO Company in Delhi NCR.
seo services in delhi
best seo company in delhi
seo company in delhi
seo company in laxmi nagar
ReplyDeleteThanks for sharing valuable Information, I really very impressive on your blog. I hope you continue on blogging job. Digital Marketing course in Greater Noida is where you can learn how to set up campaigns, generate and analyze personalized reports,
capture more leads for your company and increase Return on Investment in online marketing campaigns.
Digital Marketing course in Greater Noida
Geek Squad Webroot Antivirus being an antivirus software is very crucial in respect to today's time. The experts working behind the toll-free helpline of this antivirus are great at resolving all your virus and malware issues. Call them now for expert help, anytime.
ReplyDeletehttps://centerdell.blogspot.com/ http://lampungservice.com
ReplyDeletehttps://kursusteknisiservicehp.blogspot.com/https://jskursus.blogspot.com/https://kursusservicehplampung.blogspot.com/
https://jasaserviceteknisi.blogspot.com/https://jasaeditfotobandarlampung.blogspot.com/https://sevicecenterhimax.blogspot.com/https://servicecenteradvan.blogspot.com/
https://jasapengetikandibandarlampung.blogspot.com/
this code is very well made, thanks for your help. Gatineau
ReplyDeleteI can only express a word of thanks! Nothing else. Because your topic is nice, you can add knowledge. Thank you very much for sharing this information.
ReplyDeleteFind the Interior Designers in Madhurawada
Find the Interior Designers in Vizag
Find the Interior Designers in Visakhapatnam
Find the Interior Designers in Vijayawada
Find the Interior Designers in Andhrapradesh
Find the Interior Designers in India
Find the Interior Designers in Andhra Pradesh
very good writes. feel good after reading this. I really like this. Thank you for this blog post. Website Development Company Delhi
ReplyDelete
ReplyDeleteThanks for sharing valuable Information, I really very impressive on your blog. I hope you continue on blogging job for your readers. I must say this is the platform where we all can know about the trand of market, analyze that and capture more leads.
Python Training In Greater Noida
Java Training In Greater Noida
c programming classes in greater noida
Digital Marketing Course In Greater Noida
ReplyDeleteI found this post quiet interesting and exciting, and the author of this post has explained everything in detail that is the best thing that i liked about this post. I am looking forward to such great posts.
office.com/setup
https://setup--office.com/
Nice post. I learn something new and challenging on websites
ReplyDeletenorton.com/setup
norton.com/setup
office.com/setup
norton.com/setup
We provide Brother Printer Offline Help, Epson Printer Offline Help, Canon Printer Offline Help, HP Printer Offline Help, all kind of printer related issues can be fix by calling Toll Free No: +1 8442559339.
https://printerofflinehelp.com
https://printerofflinehelp.com/brother-printer-offline
https://printerofflinehelp.com/canon-printer-offline
https://printerofflinehelp.com/epson-printer-offline
Tiffany chairs are most attractive and advanced equipment for
ReplyDeletewedding and parties. We are the biggest manufactures and suppliers of tiffany chairs in south Africa. we take lots of time to
design and manufacture our chairs so we can provide best quality. With most technologically advanced process out chairs are
built. We want client satisfaction so we always take care of quality and demands. We provide tiffany chairs for wedding, events, parties, functions and all kind of
occasions.
Indonesia
ReplyDeleteEasy
Learning
Indonesian
Jual Beli HP
bimbelLampung
Service HP
lampungservice.com
Gamers
McAfee Antivirus Software For Removing Bugs Or Errors
ReplyDeleteMcAfee is the best anti-virus software for removing the bugs or viruses at your system. And McAfee login account error, install and uninstall anti-virus, detect threats and bugs, and solve the each and every problem simply.
How To Check Your Mac For Viruses
How To Remove Virus From MacBook Pro
How To Remove Virus from Windows or Mac?
How to Install McAfee Antivirus on Windows 10?
How to Uninstall McAfee Antivirus from Mac Completely and Safely
How to Activate McAfee Antivirus with Product Key?
McAfee Antivirus Software For Removing Bugs Or Errors
ReplyDeleteMcAfee is the best anti-virus software for removing the bugs or viruses at your system. And McAfee login account error, install and uninstall anti-virus, detect threats and bugs, and solve the each and every problem simply.
How To Check Your Mac For Viruses
How To Remove Virus From MacBook Pro
How To Remove Virus from Windows or Mac?
How to Install McAfee Antivirus on Windows 10?
How to Uninstall McAfee Antivirus from Mac Completely and Safely
How to Activate McAfee Antivirus with Product Key?
great information, keep up the good work.
ReplyDeletewebsite designing company
Best SEO company
ReplyDeleteI like your explanation of topic and ability to do work.I really found your post very interesting .
Office.Com/Myaccount
Trend Micro is worldwide digital security and safeguard organization situated in Japan. It is known for planning and selling security items and administrations for individual use, independent venture, and enormous undertakings. They are better known for structuring security programming items for the organizations. Alongside a considerable number of items, the Trend Micro likewise gives exceptionally productive help to the clients.
ReplyDeletehttp://trendmicrologin.com
incredible blog!
ReplyDeletewww.office.com/setup
mcAfee.com/activate
Ecommerce web development has undeniably become a requisite instead of a means to drive greater traffic. We, at North InfoTech, one of the established IT solutions companies, offer valuable and efficient ecommerce web designing and development solutions for small and medium level firms, ecommerce web design singapore
ReplyDeleteAvast Customer Service Number
ReplyDeleteMcAfee Customer Service Number
Norton Support Phone Number Canada
Bitdefender Customer Service Phone Number
Great information you shared through this blog. Keep it up and best of luck for your future blogs and posts.
ReplyDeleteOffice.com/setup | Norton.com/setup
ReplyDeleteWhen choosing an antivirus, it’s important to make sure that all of your devices are protected so choose at mcafee antivirus mcafee.com/activate
for mcafee antivirus and Learn how to install and Norton setup antivirus in the easiest way possible for norton antivirus to protect your system at norton.com/setup
for norton antivirus & install office office.com/setup
365 or activate office
365. Enter office Setup Product Key Here to Get Started with office Setup. We made the office Setup More Easier!
Thnx For Sharing A valuable Opnion, Thnx For A Sharing Ur Services,I am Very Glad Read Your Services. If u Want To leading manufacturers of plastic pallets in the field. You can select the best product from the wide collection in our online portal. We are supplying high quality of pallets products to customers at affordable cost. From our online portal,
ReplyDeletePlastic Pllates Manufactures
Thanks for sharing such a great information with us. Your Post is very unique and all information is reliable for new readers.
ReplyDeleteKeep it up in future, thanks for sharing such a useful post.
C/C++ Training is particularly basic to anyone who needs to be a programmer.
Regardless of whether you want to enhance your insight in specific zones or searching for a course to upgrade your skills in coding,
joining a C/C++ Training in Greater Noida can without a doubt help.
C++ Coaching in Greater Noida
C Coaching in Greater Noida
C/C++ Training in Greater Noida
C/C++ Classes in Greater Noida
I am very glad to see this post. It is very interesting and informative. Such a nice post, i am very thankful and i like this post. Also i would like to share one thing which is an institute for learning programming languages, which is the most demanding now a day. For that, you can join at this link
ReplyDeletePythan Training in Greater Noida
Pythan coaching in Greater Noida
Pythan institute in Greater Noida
Pythan classes in Greater Noida
StubHub is an online ticket trade organization possessed by eBay, which gives administrations to purchasers and merchants of tickets for games, shows, theater and other live amusement occasions. It has developed from the biggest auxiliary market ticket commercial center in the United States into the world's biggest ticket commercial center.
ReplyDeleteVisit for more :- Stubhub Customer Service
Thanks for sharing valuable Information, I really very impressive on your blog. I hope you continue on blogging job. Python course in Noida is where you can learn how to set up campaigns, generate and analyze personalized reports.
ReplyDeletePython Training In Noida
Python Coaching In Noida
Python Classes In Noida
Best Python Training Institute In Noida
Thanks for sharing such a great information with us. Your Post is very unique and all information is reliable for new readers.
ReplyDeleteKeep it up in future, thanks for sharing such a useful post.
The Automata is one of the interesting subjects that help you to get a good job with high salary.
The Automata Coaching makes the students have skill in the field. The best coaching center offers affordable Automata Coaching in Greater Noida.
Automata Course in Greater Noida
Automata Classes in Greater Noida
Automata Coaching in Greater Noida
Thanks for sharing such a great information with us. Your Post is very unique and all information is reliable for new readers.
ReplyDeleteKeep it up in future, thanks for sharing such a useful post.
DAA Coaching in Greater Noida to improve your skill in the data structure. They offer Data Structure Classes with theory and practical classes.
The institute has designed for the training class that depends on the preferences of candidate and needs of industry.
DAA Course in Greater Noida
DAA Coaching in Greater Noida
DAA Classes in Greater Noida
I am thankful to you that you Are sharing such valuable inforation, having read your Blog I am so impressed I hope you will be continue on blogging job. here data science training in greter noida is essential for professionals and students looking for a career as a data scientist.
ReplyDeleteData Science Training In Greater Noida
Data Science Training In Greater Noida
Data Science Training In Greater Noida
Data Science Training In Greater Noida
I am thankful to you that you Are sharing such valuable inforation, having read your Blog I am so impressed I hope you will be continue on blogging job. here data science training in greter noida is essential for professionals and students looking for a career as a data scientist.
ReplyDeleteData Science Training In Greater Noida
Data Science Training In Greater Noida
Data Science Training In Greater Noida
Data Science Training In Greater Noida
I am exceptionally happy to see this post. It is fascinating and enlightening. Such a pleasant post, I am grateful and I like this post. Likewise I might want to share one thing which is an establishment for learning Digital Marketing, which is the most requesting now daily. For that, you can join at this connection
ReplyDeleteDigital Marketing Training in Noida
Digital Marketing coaching in Noida
Digital Marketing institute in Noida
Digital Marketing classes in Noida
I Am thankful to you that you Are sharing such valuable inforation, I Am very glad to read your blog I am so impressed I hope you will be continue on blogging job. Java increases productivity by enabling the inheritance of methods and properties from the well-organized Java Class Library. Participants will explore multi-threads and how they can improve the performance of applications.
ReplyDeleteJava Training in Greater Noida
Java Training Institute in Greater Noida
Java Course in Greater Noida
Java classes in Greater Noida
I Am thankful to you that you Are sharing such valuable inforation, I Am very glad to read your blog I am so impressed I hope you will be continue on blogging job. Java increases productivity by enabling the inheritance of methods and properties from the well-organized Java Class Library. Participants will explore multi-threads and how they can improve the performance of applications.
ReplyDeleteJava Training in Greater Noida
Java Training Institute in Greater Noida
Java Course in Greater Noida
Java classes in Greater Noida
Much obliged for sharing significant Information, I actually quite great on your blog. I trust you proceed on blogging work.
ReplyDeleteEnglish Spoken Training in Noida
English Spoken coaching in Noida
English Spoken institute in Noida
English Spoken classes in Noida
QuickBooks Support Phone Number is available round the clock to fix all errors. Connect with experts at QuickBooks Support Phone Number with 24/7 availability to resolve all errors associated with QuickBooks. Get best guidance and support for error free software.
ReplyDeleteI would say to you thanks that you are shareing such a valuable information with
ReplyDeleteus, I Am very glad to read your blog I am so impressed I hope you will be continue
on blogging job. here you can learn in SEO new techniques or tricks, to acquire new
approaches or just another point of view, is to do a SEO Positioning course.
SEO
Training In Greater Noida
SEO
Training Institute In Greater Noida
SEO
Classes In Greater Noida
SEO
Course In Greater Noida
Haveing seen your blog i am very happy thanks for shareing such valuable
ReplyDeleteinformation keep continue this blogging job, here you can learn C language C is the
precursor and inspirer for almost all the most popular high-level languages
available today.
C Language Training In Greater Noida
C Language Training Institute In Greater Noida
C Language Course In Greater Noida
C Language Tranning In Greater Noida
Thangs for shareing this Blog I am very happy to see this such a valuable
ReplyDeleteinformation, you are doing good job keep continue on Blogging job here you can do
C++ Training in Greater Noida at Mirorsoft Technologies It can be used for low-
level programming, such as writing scripts for drivers and kernels, and also
supports high-level programming language functions, such as writing scripts for
software applications, etc.
C++ Language Training In Greater Noida
C++ Language Training Institute In Greater Noida
C++ Language Course In Greater Noida
C++ Language Classes In Greater Noida
Dell Support is a team of experts who takes care of your dell device issue. If face any problem with your device like your device is crashed , device is not working properly or others then contact Dell Tech Support and get instant help.
ReplyDeleteQuickBooks Support Phone Number is available round the clock to fix all errors. Connect with experts at QuickBooks Support Phone Number with 24/7 availability to resolve all errors associated with QuickBooks Support. Get best guidance and support for error free software.
ReplyDeletehttps://www.bloglovin.com/@chris81043/quickbooks-support-phone-number
http://bit.ly/2R65OYV.
http://quickbooks-supports-number.strikingly.com/
http://bit.do/eUKRT
https://www.google.se/url?sa=t&source=web&cd=1&ved=0CBcQFjAA&url=https://quickbooks-customer-service.org/quickbooks-support-phone-number/
This comment has been removed by the author.
ReplyDeleteGreat post. Thanks for sharing with us. Keep it up. Keep sharing with us.
ReplyDeleteplease have a look
Best SEO Company in Delhi
SEO Services in Delhi