Tuesday, October 4, 2016

The Implementation of Frustum Culling in Stingray

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:

  1. The sphere and the OOBB culling use SIMD and only load the minimum amount of needed data.
  2. 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 MeshObjects and other cullable types are represented by culling::Objects 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.

973 comments:

  1. Nice and interesting article( and so was the previous one)
    I 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.

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

    ReplyDelete
  3. Thank you for the post, I love reading about technical stuff like this. I do have one question though:

    In 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?

    ReplyDelete
  4. 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.

    Anyways, again, truly amazing post.

    ReplyDelete
  5. MS Office setup is very easy to install, download and redeem. Use of MS Office is also simple and the user can learn the use of it easily. Online help option is also available in all application of the MS Office which provides an instant guideline.
    office.com setup
    www.office.com
    www office com setup

    ReplyDelete
  6. How you install or reinstall Office 365 or Office 2016 depends on whether your Office product is part of an Office for home or Office for business plan. If you're not sure what you have, see what office.com setup products are included in each plan and then follow the steps for your product. The steps below also apply if you're installing a single, stand-alone Office application such as Access 2016 or Visio 2016. Need Help with office.com/ setup Enter Product Key?

    office.com set up
    office com setup
    microsoft office product

    ReplyDelete
  7. McAfee provides security for all sorts of users. They supply services and products for home and office at home, enterprise businesses with over 250 workers, and small organizations with under 250 employees, and also venture opportunities.


    mcafee.com activate
    mcafee com activate
    mcafee activate

    ReplyDelete
  8. We are providing help and support for Microsoft office Setup and activation. Call us or email us the error or problem, our one of the expert contact you with the suitable perfect solution. Get the MS Office application suite and as per your need and see how it is easy to work with Microsoft Office.


    Office.com setup
    www office com setup
    Install Office

    ReplyDelete
  9. setup.office.com

    Before you plan to install the Office 2016 or Office 365 on your device be it a Computer, Laptop, Mobile Phone or a Tablet, you are required to take few important steps on of them is to remove any existing Office installations from your PC. Just like the previous Office products, Office 2016 & 365 will conflict with the previously installed versions. So, it becomes necessary to remove the previous office files properly.


    setup.office.com
    www.office.com/setup
    office.com

    ReplyDelete

  10. www.office.com/myaccount

    To Setup retail card please visit official website Www.Office.Com/Setup. Office Retail Cards allow you to download your security product from the internet instead of installing from a CD, ensuring recent versions.


    www.office.com/myaccount
    www.office.com/setup
    Microsoft Office product

    ReplyDelete
  11. norton.com/setup

    norton 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.

    ReplyDelete
  12. Mcafee install

    install 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.

    ReplyDelete
  13. 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

    http://officesetupenterproductkey.net/

    ReplyDelete
  14. Install full Microsoft office setup 365 with our support. Now setting up your account will be a cakewalk with us

    office setup enter product key

    ReplyDelete

  15. Install full Microsoft office setup 365 with our support. Now setting up your account will be a cakewalk with us

    office setup enter product key

    ReplyDelete
  16. 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

    enter office 365 product key

    ReplyDelete

  17. 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



    central.bitdefender.com

    ReplyDelete
  18. 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

    office.com/myaccount

    ReplyDelete
  19. 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


    www.office.com myaccount

    ReplyDelete
  20. 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.

    ReplyDelete
  21. Getting 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.

    ReplyDelete
  22. 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.
    office com setup

    ReplyDelete
  23. 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.
    norton.com/setup

    ReplyDelete
  24. 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.
    install mcafee

    ReplyDelete

  25. Install 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

    ReplyDelete
  26. 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.
    secure anywhere

    ReplyDelete
  27. 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.
    office.com/myaccount

    ReplyDelete
  28. 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.
    install office product key

    ReplyDelete
  29. 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 your product

    Norton activation
    [URL="http://www.nortonhelp.me"]Norton activation[/url]
    http://www.nortonhelp.me

    ReplyDelete
  30. Office.com/setup - Instructions for Office Setup Installation with the help of this Blog. Get the installation help for Microsoft Office Follow the bearing on the page. you can download and introduce Office, Help with the installation process of Windows 10, Installation process for Office 365 Home
    For Installation Help Please Visit...
    www.office.com/setup
    office setup

    ReplyDelete
  31. Use of MS Office is also simple and the user can learn the use of it easily. Online help option is also available in all application of the MS Office which provides an instant guideline.
    office.com/setup
    www.office.com/setup
    Gmail customer service is a third party technical support service for Gmail users when they face any technical issue or error in their Gmail account.
    Gmail Customer service

    ReplyDelete


  32. office Setup & Installation
    After visiting the www.office.com/setup
    www.office.com/
    , still facing problem call 1888 406 4114 or chat our technical experts they will help you.office setup

    ReplyDelete
  33. norton.com/setup Norton, one of the largest security products providers, has made it quite easy to protect your computer system from the malicious online activities, viruses, Trojan horses, scams and other threats. By installing a Norton setup to your device, you can be sure of the privacy of your important files as well as confidential information. Be it a business or consumer, Norton offers a special security software to suit the needs of everyone. You can choose anyone from the following: norton.com/setup

    ReplyDelete
  34. 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

    AOL 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

    ReplyDelete
  35. 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."

    ReplyDelete
  36. Download 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
    www.norton.com/setup

    ReplyDelete
  37. Download 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
    www.norton.com/setup

    www.norton.com/setup







    ReplyDelete
  38. 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
    office.com/setup

    ReplyDelete
  39. 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
    norton.com/setup


    ReplyDelete
  40. Norton Utilities can be broadly defined as a utility software suite, which is designed to provide complete assistance for analyzing, configuring, optimizing and maintaining a system. While downloading, installing or configuring the antivirus on your device, you may face an error. . Our technicians will provide you an instant support for Norton Product.

    Why Choose us:

    - Certified Technicians
    - 24/7 Availability
    - Best Services
    - Prompt Delivery
    www.norton.com/setup

    ReplyDelete
  41. Thanks for sharing this marvelous post. I m very pleased to read this article.
    We provide free service of sites below
    office.com/setup
    norton.com/setup
    IT support
    norton.com/nu16

    ReplyDelete
  42. Office Setup (post-acquisition installation)
    By purchasing one of these packages, you acquire a product key that can be used by one or more computers, depending on the item.

    • When downloading, discover the product key in your Amazon account to do office setup.

    • When purchased as a box, there is a PVC card with the product key inside the box
    .www.office.com/setup

    ReplyDelete
  43. Ogen Infosystem is one of the best Web Design Company in Delhi. For more information visit
    Website Design Company

    ReplyDelete
  44. 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.
    http://nortoncomnorton.com

    norton.com/setup
    norton setup
    www.norton.com/setup


    http://nortoncomnorton.com

    ReplyDelete
  45. 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)
    http://officecomoffice.com

    office.com/setup
    office setup
    www.office.com/setup


    office.com/setup

    http://officecomoffice.com

    ReplyDelete
  46. 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.
    http://nortoncom.org

    norton.com/setup
    www.norton.com/setup
    norton setup

    http://nortoncom.org

    ReplyDelete
  47. 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.
    http://norton-norton.com

    norton.com/setup
    norton setup
    www.norton.com/setup

    http://norton-norton.com

    ReplyDelete
  48. Mcafee.com/Activate – we are providing you step by step procedure for downloading, installing and activating any McAfee antivirus security software by using a 25 character alpha-numeric activation key code.

     mcafee.com/activate
     mcafee.com/activate

    ReplyDelete
  49. Aol email Support
    Aol 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

    ReplyDelete
  50. Trendmicro BestBuy pc
    Trendmicro.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

    ReplyDelete

  51. www.Webroot.com/Safe Download
    www.Webroot.com/Safe

    Having Problem In Installing Your Webroot Antivirus with link webroot.com/safe Don't Worry And Call Our Webroot Tech Expert To Get Instant Support.
    http://www.webrootsafe.xyz/

    Webroot.com/Safe
    Webroot.com/Safe Download
    Webroot Support

    ReplyDelete
  52. Activation.kaspersky.com
    www.kaspersky.com/activation code

    Kaspersky Customer Support

    Kaspersky Customer Service

    Devices would be free from Virus, Malware, Trojan and other online threats
    Kaspersky Activation with the link activation.kaspersky.com gives you the Complete protection , like email protection , Banking Details Protections, Sensitive Information protection, important Software Protection, Get Instant Kaspersky Support or Call Kaspersky Customer Service.

    http://www.kasperskysupports.us/
    Kaspersky Technical Support
    Kaspersky Support

    ReplyDelete
  53. Go to www.Avg.com/Retail to Login Account


    Avg.com/Retail
    Get protection from malware , Intrusion, Trojan , cyber attacks get Avg software installed with the help of link Avg.com/Retail or call Avg support for any technical help

    www.Avg.com/Retail

    ReplyDelete
  54. www.Webroot.com/Safe Download
    www.Webroot.com/Safe

    Need to Have Advanced Technology internet Security software from Webroot safe Software company with the following Link webroot.com/safe that help to protect all device from virus, malware and other online threats.

    Webroot.com/Safe
    Webroot.com/Safe Download
    Webroot Support

    Webroot.com/Safe
    www.Webroot.com/Safe

    ReplyDelete
  55. www.McAfee.com/Activate

    Protect Your Computer , Network, Social Media Account And all other from hackers, infection ,Virus and other online threats, Mcafee Total Protection Software very Important to Activate or Setup with the Official Link mcafee.com/activate

    McAfee.com/Activate
    McAfee Support

    ReplyDelete
  56. you will be ready to absolutely secure yourself on-line with a simple Webroot installation which will be drained a matter of minutes. All you'd like is that the distinctive keycode to activate this antivirus on your device.
    www.webroot.com/safe

    ReplyDelete
  57. 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.
    www.norton.com/setup

    ReplyDelete
  58. We provide free office Setup Technical support, customer service & online support for install ms office ,Get Live Chat Help & Support
    office.com/setup | office.com/setup | norton.com/setup

    ReplyDelete
  59. webroot.com/safe Setup Enter your product key online. Create or log into your Webroot account here. Manage your security across multiple devices, with any Webroot product. webroot.com/safe.

    ReplyDelete
  60. Sign in to enter your norton.com/setup, access your account, manage your subscription, and extend your Norton protection to PC/Mac/Android/iOS devices.

    ReplyDelete
  61. office.com/setup – Check out the easy steps for installing, downloading, activation and re-installing the Microsoft office at
    office.com/setup. MS Office Products like Office 365 Home, Office 2016 Business Premium, Office Professional 2016, Renew your Office, Office 365 Personal etc.

    ReplyDelete
  62. 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

    ReplyDelete
  63. Norton.com/Setup Security has been giving the best on-line security answers for guaranteeing the customers' contraptions other than as data against the web threats.To get more inspirations driving monstrosity of our affiliations on a to a shocking degree focal level call us at: (Toll Free) US: 1-844-247-5313.
    Norton.com/Setup

    ReplyDelete
  64. norton.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. http://nortoncomnorton.com

    ReplyDelete
  65. office.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. http://officecomoffice.com

    ReplyDelete
  66. norton 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. http://norton-norton.com

    ReplyDelete
  67. webroot. safe be ready to absolutely secure yourself on-line with a simple webroot.com/safe installation which will be drained a matter of minutes. All you'd like is that the distinctive keycode to activate this antivirus on your device.
    http://webroot-webrootsafe.com

    ReplyDelete
  68. norton setup is very easy to use, You need to click on norton.com/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 www.norton.com/setup
    http://nortoncomusa.com

    ReplyDelete
  69. Office Setup , the popular productivity suite includes a number of servers, application, and services. www.office.comsetup has been developed for Windows, Mac, Android, and iOS operating systems. With Office.com/Setup 365 as the latest version, the software is being widely used by the consumers and businesses.
    http://officecomusa.com

    ReplyDelete
  70. After 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.
    http://nuenorton.com

    norton.com/setup

    ReplyDelete
  71. The Norton software is easy to install on the link norton.com/setup.Learn, how to download and setup Norton Antivirus software.
    http://nroton-nroton.com

    norton.com/setup

    ReplyDelete
  72. Thanks for sharing such a great information with us. Your Post is very unique and all information is reliable for new readers. Keep it up in future, thanks for sharing such a useful post. Our toll-free number is accessible throughout the day and night for the customer if they face any technical issue in BROTHER PRINTER Call us +1888-621-0339 Brother Printer Support USA Brother Printer Support
    Brother Printer Support Number
    Brother Printer Customer Support Number
    Brother Printer USA Number
    https://dialprintersupport.com/brother-printer-customer-support.php

    ReplyDelete
  73. 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


    Mobile Training Institute in Delhi
    Mobile Training Course in Delhi

    ReplyDelete
  74. 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.

    ReplyDelete
  75. One 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/

    ReplyDelete
  76. Even 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/

    ReplyDelete
  77. One 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/

    ReplyDelete
  78. 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, 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/

    ReplyDelete
  79. norton 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.

    ReplyDelete
  80. office.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.

    ReplyDelete
  81. norton.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

  82. Norton, 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

    ReplyDelete
  83. 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.
    malaysia visa singapore

    ReplyDelete
  84. 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
    Brother Printer Tech Support Phone Number

    ReplyDelete
  85. 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.

    ReplyDelete
  86. 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.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.

    ReplyDelete
  87. Office 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.

    ReplyDelete
  88. norton setup is very easy to use, You need to click on norton.com/setup file and click on scan button to start the device scanning.

    ReplyDelete
  89. Thanks for sharing such great information with us. Your blog is very unique and all information is reliable for new readers.
    EZWAY TV

    ReplyDelete
  90. The Norton software is easy to install on the link norton.com/setup .Learn, how to download and setup Norton Antivirus software.
    norton.com/setup

    ReplyDelete
  91. The Norton software is easy to install on the link norton.com/setup .Learn, how to download and setup Norton Antivirus software.
    norton.com/setup

    ReplyDelete
  92. The restaurants serve a variety of foods that include tacos, burritos, quesadillas, nachos,
    novelty 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


    ReplyDelete
  93. 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

    ReplyDelete
  94. yahoo customer service, Yahoo mail is another free web mail service provider with many users around the globe. They have specially designed products for the business use. Using the Yahoo mail, you get free 1TB of cloud space to store and send an attachment and other media. Other basic features includes virus and spam protection.

    yahoo mail support number

    ReplyDelete
  95. Outlook is an email service provided by the Microsoft. It was originally known as Hotmail which was the 1st email service in the history. Since then, they have upgraded a lot in terms of services and performance. It has many features to attract the attention of the users including calendar, journal, note taking, contact manager, task manager, and web browsing too.

    outlook Email support

    ReplyDelete
  96. The merchant account for tech support provides the user to contact Instabill which normally offers the users numerous payment processing solutions for the technical support merchants which may be separated into four categories.
    Instabill provide merchant account for tech support to connect to a vast number of domestic,offshore affairs.

    Merchant account for tech support

    ReplyDelete
  97. Norton.com/setup, Norton Setup EU, www.norton.com/setup
    norton.com/setup - The company has developed a vast variety of security tools and software. Norton is one of the most popular brands amongst the users which offers the protection from malware and other threats. Unlike the other security tools available in the market the Norton Antivirus offers the cross-platform security. Also, the removal of malware from your system after detecting it using the scanning features.

    NORTON.COM/SETUP

    ReplyDelete
  98. Garmin Download at www.garmin.com/express. Register, update and sync your garmin express today and get started with your Garmin maps



    Garmin.com/express

    ReplyDelete
  99. Disclaimer: 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.

    activation-kaspersky.com

    ReplyDelete
  100. Brother Printer Offline – Brother offers a wide range of printing devices for both the personal and business use. Along with the printer, you also get desktop computers, large machine tools, fax machines, typewriters, and their accessories. The Brother has a large market and you can purchase their products from the offline store and the online market as well. Furthermore, they are known to deliver the quality that a person seeks.



    Brother Printer Offline

    ReplyDelete
  101. Dell Printer Offline – Dell is an American Company that designs,manufactures,sells and supports a number of electronic devices.They are a huge part of markets such as Laptops,Desktops,Workstations,Servers and Printers.In order to purchase the Dell Product,you can visit the dell.com or visit your nearest retail store. Furthermore,if you are looking for support for any of the Dell Product then feel free to contact the Dell Support.



    welcome to Dell printer

    ReplyDelete
  102. Wonderful blog & good post.Its really helpful for me, awaiting for more new post. Keep Blogging! www.webroot.com/safe

    ReplyDelete
  103. After entering product key on office.com/setup facing problem, call our experts to help in office setup
    office.com/setup

    ReplyDelete
  104. The Norton software is easy to install on the link norton.com/setup .Learn, how to download and setup Norton Antivirus software.
    norton.com/setup

    ReplyDelete
  105. norton.com/setup : Learn, how to download and setup Norton Antivirus software For Windows and Mac OS PC/Laptop.
    norton.com/setup

    ReplyDelete
  106. 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.
    visit: www.webroot.com/safe

    ReplyDelete
  107. www.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. Built into the suite is a two-way firewall, a registry cleaner, Email anti-spam, secure browsing, anti-phishing, and a password management service.

    visit: www.webroot.com/safe

    ReplyDelete
  108. 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.webroot.com/safe.

    visit: www.webroot.com/safe

    ReplyDelete
  109. 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.

    visit: www.webroot.com/safe

    ReplyDelete
  110. Webroot Support experts can lend their hand to download, install and update Webroot Spy Sweeper Antivirus on your system. We can also repair all errors that may crop up while installing and configuring Webroot Antivirus on your PC.

    visit: www.webroot.com/safe

    ReplyDelete
  111. 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.webroot.com/safe.

    visit: www.webroot.com/safe

    ReplyDelete
  112. www.webroot.com/safe for Computer Security

    www.webroot.com/safe- Webroot Safe is the most popular computer security that helps you to protect Windows,Mac and Android devices.

    visit: www.webroot.com/safe

    ReplyDelete
  113. 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.

    visit: www.trendmicro.com/bestbuy

    ReplyDelete
  114. 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.

    visit: www.trendmicro.com/bestbuypc

    ReplyDelete
  115. We can help you detect and remove malicious threats, malware and spyware by performing a quick scan on all files and folders.

    visit: www.trendmicro.com/bestbuy

    ReplyDelete
  116. 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.

    visit:mcafee.com/Activate

    ReplyDelete
  117. Mcafee Security have the complete set of features that can protect you from harmful viruses and internet hackers, Mcafee not only helps to protect your PC but also it can stable your computer speed and always notify you if there any suspicious activity.

    visit: mcafee.com/activate

    ReplyDelete
  118. 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.mcafee.com/activate.

    visit: www.mcafee.com/activate

    ReplyDelete
  119. How can we help you with McAfee Activation and Installation Online?

    While 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

    ReplyDelete
  120. www.norton.com/setup to Secure your All Windows, Mac & Android devices. Get Norton Setup and Run to Install Norton Anti Virus.

    visit: WWW.NORTON.COM/SETUP

    ReplyDelete
  121. 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.

    visit: My Kaspersky Activate

    ReplyDelete
  122. 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.

    visit: usa.kaspersky.com/kisdownload

    ReplyDelete
  123. 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.

    visit: www.avast.com/index

    ReplyDelete
  124. We can help you detect and remove malicious threats, malware and spyware by performing a quick scan on all files and folders.

    visit: us.eset.com/activate

    ReplyDelete
  125. We can help you detect and remove malicious threats, malware and spyware by performing a quick scan on all files and folders.

    visit: www.bitdefender.com/central

    ReplyDelete
  126. Thanks a lot for sharing it, i got here huge knowledge i like you website and bookmarked in my PC
    Yeh Rishta Kya Kehlata Hai Episode

    ReplyDelete
  127. Thanks for this article. It contains the information i was searching for and you have also explained it well.
    Kasauti Zindagi Ki Episode

    ReplyDelete
  128. Thanks a lot for sharing it, that’s truly has added a lot to our knowledge about this topic. Have a more successful day.
    Kulfi Kumar Bajewala Episode

    ReplyDelete
  129. 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.

    ReplyDelete

  130. Get Step-by-Step guide for Office – Activate, Download & complete installation from office.com/setup and get the best security setup for any of your preferred devices just by visiting mcafee.com/activate & norton.com/setup .

    ReplyDelete
  131. We are happy now to see this post because of the you put good images, good choice of the words. You choose best topic and good information provide. Thanks a sharing nice article.

    Website Designing Company in Delhi

    ReplyDelete
  132. norton 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.
     norton.com/setup | www.norton.com/setup

    ReplyDelete
  133. 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
  134. Step by Step guide for Office Setup, Office Activation, Office error, Office 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.www-office-com-setup.xyz/


    office activation
    office setup
    office.com/setup
    www.office.com/setup
    office support
    office error
    office technical support
    www office com setup
    office help
    office install
    0ffice.c0m/setup

    ReplyDelete

  135. Step by Step guide for Norton Setup, Norton Activation, Norton error, Norton 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.nortonhelp.me



    Norton activation
    Norton setup
    Norton.com/setup
    www.Norton.com/setup
    Norton support
    Norton error
    Norton technical support
    Norton antivirus
    Norton help
    norton install

    ReplyDelete

  136. Step 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

    ReplyDelete



  137. Step 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

    ReplyDelete

  138. Step by Step guide for Mcafee Setup, Mcafee Activation, Mcafee error, Mcafee help, Download & complete installation online.
    We are providing independent support service if in case you face problem to activate or Setup your product
    http://mcafee-activate-com.com

    Mcafee activate
    Mcafee setup
    www.mcafee.com
    Mcafee support
    Mcafee error
    Mcafee technical suport
    Mcafee antivirus
    Mcafee help
    Mcafee install

    ReplyDelete


  139. Step 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

    ReplyDelete
  140. Wonderful blog & good post.Its really helpful for me, awaiting for more new post. Keep Blogging! www.webroot.com/safe

    ReplyDelete
  141. HI. I write about latest Gadgets and Technology.
    For read my Articles visit my site:

    Latest Gadgets

    ReplyDelete
  142. Garmin.com/Express - The Garmin is the American Company that offers Global Positioning System (GPS), GPS receivers, satellite navigation products, and other consumer electronics. These devices are used and praised by many because of their quality product. Furthermore, the Garmin understands the requirement of their users and gives out an application to manage the Garmin devices. That application is known by name Garmin Express.


    Garmin.com/express

    ReplyDelete
  143. mcafee.com/activate - McAfee Antivirus Offers the cyber security solution for the protection of your digital data. The company developed a number of software and services to fulfill the requirements of the users. You can download and install the security on your system from the link mcafee.com/activate online. In order to download and activate your version of the product on your system, you need a unique product key.

    http://mcafeecomactivate.eu

    ReplyDelete
  144. McAfee.com/Activate -McAfee offers high-end protection against all kinds of online threats, Ransomware attack and other viruses lurking in the digital world. These viruses attack directly or indirectly on your computer system with an intention of corrupting your important data and stealing your confidential information. Sometimes, viruses like Ransomware can permanently lock your system for asking you pay ransom to get the access back.

    mcafee.com/activate

    ReplyDelete
  145. 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.

    Canon Printer Offline

    ReplyDelete
  146. Pogo Support-Pogo offers wonderful gaming experience as it uses the modified graphics and other effects. If you have a Pogo account then you can chat and play games with your friends, as it offers a social environment. You can also upgrade as a premium user for ad-free gaming experience and some other benefits

    pogo support phone number

    ReplyDelete
  147. 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.

    123.hp.com/setup

    ReplyDelete
  148. 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

  149. 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/







    ReplyDelete

  150. 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/







    ReplyDelete

  151. 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/








    ReplyDelete
  152. 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/








    ReplyDelete
  153. 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/








    ReplyDelete
  154. norton.com/setup your account and protect your device with Viruses

    norton.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

    ReplyDelete
  155. office.com/setup office.com/setup install and enter the office key

    office.com/setup has different applications like word,excel etc,First you have to install the Microsoft Office setup and then enter the product key to activate.

    For more visit website: office.com/setup

    ReplyDelete

  156. office.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 |

    ReplyDelete
  157. i found your article very interesting. thank you for sharing lovely post here. keep sharing. and we will love come back to your website. thanks
    also have a look at my website

    https://itbrood.com
    https://globalonlinepills.com

    website design
    globalonlinepills

    ReplyDelete
  158. 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:
    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/

    ReplyDelete
  159. 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:
    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/

    ReplyDelete
  160. Hi
    Facebook 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

    ReplyDelete
  161. The article shares very meaningful information,I hope that you will be writing this post again. Thanx for sharing...
    web development company in noida

    ReplyDelete
  162. THANKS FOR INFORMATION

    you can search low-cost website with high-quality website functions.
    Today Join Us
    Call: +91 - 8076909847

    website development company in Delhi

    levantro
    interior designers in delhi


    livewebindia
    website designing company in delhi

    SEO service in Delhi

    Best It Service Provider:

    1. Website Designing And Development.
    2. SEO Services.
    3. Software Development.
    4. Mobile App Development.

    ReplyDelete
  163. 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.
    hp envy 4520 offline

    ReplyDelete
  164. 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

    ReplyDelete
  165. Install officeSetup – Sign-in to you office account and then Enter 25 digit alphanumeric office setup product key on country and language.click on next to start office installation.We are the best office Setup in US, Canada and Australia. www.office.com/setup

    ReplyDelete
  166. The 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.
    http://nortoncom-nu16.com/

    ReplyDelete
  167. Wow! It's such a superb blog you have here. Aside that you blog is filled with useful information. Best of all is loading really fast.

    How to make money online fast with NNU Income Program,
    DLS 19 Mod Apk,
    Best free movie download sites,
    Unlimited Airtel free browsing cheat 2019,
    Download latest PES 2018 free,
    How to Secure Bitcoin Wallet.

    ReplyDelete
  168. Install kaspersky with activation code | www.downloadkaspersky.com

    The Kaspersky antivirus offers true security features with right time protection. To get advanced services of Kaspersky users need to activate the license. After activation of Kaspersky Internet Security license users can install and run the program. If you want to activate the application with commercial license then follow the simple steps given below.


    downloadkaspersky.com- download kaspersky with activation code

    downloadkaspersky.com- kaspersky code activation

    downloadkaspersky.com- reinstall kaspersky code activation

    ReplyDelete
  169. Hello, dear
    I am Enjoy full read your blog, I've adored viewing the change and all the diligent work you've put into your lovely home. My most loved was seeing the completed consequences of the stencil divider and the carport. I seek you have a beautiful rest after whatever is left of 2018, and a glad 2019, companion. More Details…..(McAfee.com/Activate).

    ReplyDelete
  170. i found your article very intresting. really nice post. keep posting this type of important post. lots of love from rajasthan
    also 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

    ReplyDelete
  171. Learn here how to download, install, and activate your Norton setup on your computer and other devices

    www.norton.com/setup

    ReplyDelete
  172. Thank you so much for sharing these amazing tips. I must say you are an incredible writer, I love the way that you describe the things. Please keep sharing.

    For more information visit on office.com/setup | Norton.com/setup | office.com/setup | office.com/setup

    ReplyDelete
  173. This is a great inspiring article.I am pretty much pleased with your good work.You put really very helpful information.
    www.norton.com/setup

    ReplyDelete
  174. 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
    Best nursing coaching in Haryana |
    Best nursing Institute in Haryana |
    Best nursing Academy in Haryana |
    Dream Catcher
    Dream Catcher Online

    ReplyDelete
  175. 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.
    New 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

    ReplyDelete
  176. Title: Trend micro best buy downloads Call - 1-877-339-7787 (www.trendmicrobestbuy.com)


    Description : 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

    ReplyDelete
  177. nice post thank you for sharing nice blog
    pariwikisu

    ReplyDelete
  178. We are an independent company who providing technical support for for Norton products.If you are Facing problems your Norton products or having any issues during the work do call us and our company will fix your problem and you need any suggestion regarding any Norton product feel-free to call us on our toll-free numbers for further information.
    www.norton.com/setup

    ReplyDelete
  179. We are an independent company who providing technical support for for Norton products.If you are Facing problems your Norton products or having any issues during the work do call us and our company will fix your problem and you need any suggestion regarding any Norton product feel-free to call us on our toll-free numbers for further information.
    www.norton.com/setup

    ReplyDelete