Thursday, October 15, 2020

Monday, May 29, 2017

Design and Characteristics of Ball and Roller Bearings

DOUBLE ROW SELF-ALIGNING BALL BEARINGS utilize an inner ring with two rows of balls, in two deep raceways; and an outer ring with a single spherical raceway.  In this way, the inner and outer rings can be misaligned relative to each other.  The resulting affect is a comparatively large angle imposing moment loads upon the balls.

The boundary dimensions of the 1200 and 1300 series are the same as the 6200 and 6300 single row deep groove bearings.

CYLNDRICAL ROLLER BEARINGS have rollers which are essentially cylindrical in shape.  This provides a modified line contact with the cylindrical inner and outer ring raceways, while the rollers are guided by ground ribs on either the inner or outer ring.  The cylindrical shape allows the inner ring to have axial movement relative to the outer ring (except the NH type).  This is especially important when accommodating thermal expansion when both rings must be press fitted.

In this series, the NJ, NF, and NH types can carry light or intermittent thrust loads.  The bearings utilizing machined bronze cages are suitable for high speed operation.

The NN3000 and NN3000K series are available in high precision tolerances and are well suited for use in machine tool spindles.

TAPERED ROLLER BEARINGS utilize conical rollers and raceways arranged so that the rollers and raceways meet at a common apex.    The rollers are guided by contact between the large end of the roller and a rib on the inner ring.  This provides high capacity for radial and single thrust loads.

SPHERICAL ROLLER BEARINGS have two rows of rollers in separate raceways which allows the bearing to compensate for angular errors.  They have large radial and thrust load capacity for heavy shock and impact loads, suitable for heavy industrial equipment.

DUPLEX BEARINGS use a set of two on a common shaft with the inner and outer rings clamped solidly together.  They are used to gain axial shaft control, rigity and extra capacity.

There are three fundamental combinations n duplex bearings: face to face (DF); back to back (DB); and tandem (DT).

The back to back mounting (DB) has the load lines through the balls converging toward the outside of the bearing.  This arrangement is preferred when the pair of bearings is to resist moment loading.

The face to face mounting (DF) has the load lines through the balls converging  towards the axis of the bearing.  This arrangement is less sensitive to slight angular errors in mounting of the bearings.

The tandem mounting (DT) is arranged so that the load lines through the balls are parallel to each other.  This mounting is used when it is desired to divide a heavy thrust load between the two bearings.  Since this mounting carries thrust load in one direction only, a third bearing should be provided to take thrust load in the reverse direction.

SINGLE DIRECTION THRUST BALL BEARINGS consist of two washers having ball grooves ground into their adjacent faces with balls and cages mounted between these grooves.  They are normally equipped with either pressed or machined cages and are suitable for carrying thrust loads at moderate speeds.

DOUBLE DIRECTION ANGULAR CONTACT THRUST BALL BEARINGS are back to back duplex bearings with a larger contact angle than that of normal angular contact ball bearings.

These bearings have been recently developed, and are primarily designed as thrust bearings for machine tools.  They utilize machined brass cages.

SPHERICAL ROLLER THRUST BEARINGS are similar to double row spherical roller bearings, but have a greater contact angle.  They are guided by ground flanges on the inner ring and operate against the spherical raceway in the outer ring.  The contact angle is approximately 45⁰.  Machined cages are normally used and oil lubrication is recommended.

Friday, August 2, 2013

How to add a column to Magento orders grid - alternative way using layout handles

columnbig1
In the previous articles (1, 2) you might find the way how to add custom column/attribute to adminhtml (orders, customers, ect) grid. But this is another example. In our article we will use the layout handles for inserting columns to the orders grid.
First of all, you should create a new module (in our case Atwix_ExtendedGrid) and define layout update for adminhtml:
1
2
3
4
5
6
7
8
9
10
11
12
<!--file: app/code/local/Atwix/ExtendedGrid/etc/config.xml-->
<adminhtml>
    ...
    <layout>
        <updates>
            <atwix_extendedgrid>
                <file>atwix/extendedgrid.xml</file>
            </atwix_extendedgrid>
        </updates>
    </layout>
    ...
</adminhtml>
Note, this configuration is enough for adding fields from sales_flat_order_grid table (no sql joins are needed). But most likely, you will also need to add some field from the external table. For this purpose we use sales_order_grid_collection_load_before event to join extra tables. Here is how the observer configuration looks like:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
<!--file: app/code/local/Atwix/ExtendedGrid/etc/config.xml-->
<adminhtml>
    ...
    <events>
        <sales_order_grid_collection_load_before>
            <observers>
                <atwix_extendedgrid>
                    <model>atwix_extendedgrid/observer</model>
                    <method>salesOrderGridCollectionLoadBefore</method>
                </atwix_extendedgrid>
            </observers>
        </sales_order_grid_collection_load_before>
    </events>
    ...
</adminhtml>
Then, add a function that handles our event to the observer:
1
2
3
4
5
6
7
8
9
10
11
/*file: app/code/local/Atwix/ExtendedGrid/Model/Observer.php*/
    /**
     * Joins extra tables for adding custom columns to Mage_Adminhtml_Block_Sales_Order_Grid
     * @param $observer
     */
    public function salesOrderGridCollectionLoadBefore($observer)
    {
        $collection = $observer->getOrderGridCollection();
        $select = $collection->getSelect();
        $select->joinLeft(array('payment'=>$collection->getTable('sales/order_payment')), 'payment.parent_id=main_table.entity_id',array('payment_method'=>'method'));
    }
As you can see, we join sales_flat_order_payment table to get a payment method field.
Now, it is time to add this field to the grid. We will use layout handles to call addColumnAfter method of sales_order.grid (Mage_Adminhtml_Block_Sales_Order_Grid) block. There are two handles that we are interested in: adminhtml_sales_order_index and adminhtml_sales_order_grid. The same code goes to both sections, so we will define a new handle sales_order_grid_update_handle and use update directive. And finally, here is how our layout file looks like:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
<!--file: app/design/adminhtml/default/default/layout/atwix/extendedgrid.xml -->
<layout>
    <sales_order_grid_update_handle>
        <reference name="sales_order.grid">
            <action method="addColumnAfter">
                <columnId>payment_method</columnId>
                <arguments>
                    <header>Payment Method</header>
                    <index>payment_method</index>
                    <filter_index>payment.method</filter_index>
                    <type>text</type>
                </arguments>
                <after>shipping_name</after>
            </action>
        </reference>
    </sales_order_grid_update_handle>
    <adminhtml_sales_order_grid>
        <!-- apply layout handle defined above -->
        <update handle="sales_order_grid_update_handle" />
    </adminhtml_sales_order_grid>
    <adminhtml_sales_order_index>
        <!-- apply layout handle defined above -->
        <update handle="sales_order_grid_update_handle" />
    </adminhtml_sales_order_index>
</layout>
After all steps you should see your column:
Orders_Sales_Magento_Admin
Here is a source code of the completed module. I hope you will find this article useful! Thanks for reading us!

Magento Development Company India, Magento Development Services, Hire Magento Developer, Hire Magento Programmer

Magento Solutions Company India

We are professional Magento Development Company based in India providing Magento eCommerce development services, Magento customization , Magento themes at

affordable rate. We’ve been working with Magento development since the early days when the platform just came out in early 2008 and have been using it ever since.

Net World Solutions.
India:
Telephone : +91 088 26147 606 (Delhi, India)
Email Id : info@networldsolutions.org
Business Partners : http://find4sites.com
Website: Magento Development Company India, Magento Development Services, Hire Magento Developer, Hire Magento Programmer


Tuesday, May 31, 2011

How to Change Wheel Bearings on a Chevy Malibu Classic

The Chevy Malibu Classic has two wheel bearings--an inner and an outer bearing--located within the brake rotor. Both bearings are of the tapered variety. The inner bearing is the load bearing, and the outer is the thrust bearing. Each bearing has a detached race that is pressed into the rotor hub. The bearings should be greased every 50,000 miles or every time the brakes are replaced, whichever comes first.

Instructions
Things You'll Need:


* Floor jack
* Jack stands
* Lug wrench
* 3/8-inch drive ratchet
* Set of 3/8-inch drive sockets
* Grease cup remover
* Bucket of bearing grease
* Wire cutters
* Large adjustable wrench
* Chisel
* Hammer

1.Raise the front of the car with the floor jack, and support it on jack stands. Remove the wheel assembly, using the lug wrench. Remove the two bolts that secure the brake caliper to the mounting bracket using a socket. Lift the caliper off the rotor, and hang it from the spring with a suitable piece of wire.

2. Remove the grease cup using the remover tool. Pull the cotter pin out of the spindle, using the wire cutters. Remove the large spindle nut, using the large adjustable wrench. Pull the rotor off just enough to cause the front thrust bearing and washer to fall out. Lay the bearing on a clean cloth.

3 Install the large spindle nut on the spindle by threading it on just a few turns. Grab the rotor with both hands, keeping a small amount of downward pressure on the rotor, and pull if off rapidly. The spindle nut will cause the rear bearing and seal to come out of the rotor.

4.Lay the rotor on a hard surface, and tap the inner bearing races out of the hub, using the chisel and hammer.

5) Install the new bearing races by installing one at a time. Push the front thrust-bearing race in as far as it will go by hand. Place the old race on top of the new race, and use the hammer to tap the old race, forcing the new race into the hub. Do the same for the rear race.

6.Pack the bearings with grease. Insert the rear bearing into the hub, and install the grease seal. Tap the grease seal into the hub.

7.Install the rotor on the spindle, and insert the front bearing followed by the large washer. Install the large spindle nut, and tighten it by hand as far as possible. Use the large adjustable wrench to tighten the spindle nut and rotate the rotor. Back the spindle nut off until it is loose, then tighten it just enough to seat the bearings. Grab the rotor with both hands, and try to shake it from side to side, feeling for looseness. If any looseness can be felt, tighten the spindle nut another half-turn.

8 Install a new cotter pin in the end of the spindle. Install the grease cup, and tap it softly with a hammer to seat it completely. Install the brake caliper, and tighten the two bolts securely with a socket. Install the wheel assembly, tightening the lug nuts with the lug wrench. Remove the jack stands and lower the vehicle to the ground with the jack.

Visit Us At UCP Bearings, Bearings Manufacturer, Ball Bearings Wholesalers, Ball Bearings Manufacturers, Ball Bearings Traders

Wednesday, May 4, 2011

Bearing Advancements

Capitalizing on ones ill fate is usually frowned upon in modern society, but in the world of business, its considered a wise business decision. Each year, thousands of businesses fail to meet their profit goals, make a profit, or at least stay above water. Their rising overhead costs eating them alive, they are forced to file for bankruptcy. In order to lower the amount that the business has to pay back to its lenders or creditors, they will often times liquidate, or sell all of their assets and inventories at ridiculously low prices.

This sale of inventory items is where you come in. Buying your material for service from a bankrupt business is an excellent way to lower your own overhead and increase how much money from that hard-earned dollar you get to take home. The great advantage with these kinds of sales is, most times, the ball is in the buyers court as far as pricing is concerned. The seller is simply trying to get rid of the assets, so they cannot be counted against them in the bankruptcy proceedings. Many times, you may be able to get the bearings that you need at or below cost.

But finding a manufacturer or retailer thats going into bankruptcy is quite difficult. Often times, business owners and executives are too ashamed to let on that the business has reached a financial meltdown. In order to keep it a secret, theyre willing to sell off some of the assets, with the agreement that the buyer cannot inform anyone of the pending bankruptcy action. Other times, these sales are ironically enough, not publicized very much, and they come and go without gathering too much attention. So when you do hear of a bankruptcy sale on bearings, youd better move fast.

The prices for the items are negotiated on by you and the seller, which means that you can haggle for as low a price as you can get for them. You totally have the advantage here, as the seller just wants to get rid of everything that they own, in order to lower the monetary amount they will be forced to pay to their lenders. Its not very uncommon for you to save several hundred dollars on one large order of bearings, simply because the own is going through bankruptcy.

Other times, the assets are auctioned off to the highest bidder, and while this helps the seller, the buyer may, or may not get a good deal on their purchase. Beware of entering a bidding war with another business over the bearings, because the price for them can quickly balloon up beyond what you would actually pay for them at a retailer.

Bankruptcy finds like bearings are an excellent way for you to lower business operating expenses. Lowering the operating expenses will help you to create more profits in your business, and allow you to expand it further. Theres a reason why they call our economic system capitalism, those who capitalize succeed.


ARB Bearings have achieved a new high by creating new ground of targets and quality.We are India's prominent engineering companies With a tremendous focus on manufacturing quality Ball Bearings and restrains on cost.



Visit Us At Universal Joint Cross Manufacturers, Universal Joint Cross Exporters, universal joint cross manufacturers

Thursday, December 30, 2010

ARB Bearings Launches Advanced Automotive Bearings

ARB bearings sincerely focuses on the various aspects which creates a never ending bond between the customers, employees and the company. The company holds various strength which gives ARB a competitive edge in the market.

ARB bearings sincerely focuses on the various aspects which creates a never ending bond between the customers, employees and the company. The company holds various strength which gives ARB a competitive edge in the market for which it is highy recommended and popular. The various principles we follow makes it our strength and helps us to sustain in the long haul.

Company Formed with corporate office as ARB Bearings Pvt. Ltd. In New Delhi & started Production of Taper Roller Bearings.Imported equipped Machinery & Precision Testing Equipments.From this year ARB bearings Started its export, initially Exported bearings to the Middle East.Product range expanded by the Commencement of Spherical & Cylindrical Roller Bearings.Company was awarded ISO-9002 Certificate by KPMG (Peat Marvick-USA)ARB‘s exports expanded. (Started Exporting to USA & Sri Lanka)Commencement of Ball Bearings into the products line, Production at separate plant in-Unit-II (Badli)Introduction of UCP (Pillow Block) bearings and production of Double Row Angular Contact Ball Bearings started.Commencing of Self Aligning Ball Bearing’s production.Took over NYK Brg. Co. in Delhi with NYK Brand with a capacity of 6 Million bearings /Annum.ARB’s export touched new heights.(Existing Production Capacity of all types of bearings increased from 6 Million to 12 Million.)
A new plant started in Himachal Pradesh (K.A.)

Customers are at the center of everything we do – and that is reflected in our company’s vision and values. While our vision defines our destination, our core values serve as our roadmap, guiding our actions for the benefit of all of our stakeholders.

To establish as an international benchmark in quality, innovation, environmental friendly & competitive organization, specialized in complete bearings based solutions.
To become the true leaders in the bearing industry by offering quality products at competitive cost.Continual improvement & up gradation in the manpower and machinery by providing in house awareness through training programs & workshops.To be a pacesetter for times ahead & the most preferred choice nationwide & globally.Dedicated to deliver unparalleled value and innovation all around the world.

To be a true leader in the bearing industry, by expanding into more automotive and industrial markets and enabling everyone to be eligible for our services.To offer bearing industry with superior products & services by building up value for our customers, our business, as well as our employees and adopting Principles of Excellence that provides an effective corporate governance framework.To contribute and participate in the task of nation building use environmentally safe materials and designs and to make India forward to the rank of "Most Industrialized Nation in the 21st century"We endeavor to conduct our business affairs with the highest ethical standards and work diligently to be a respected corporate citizen worldwide.Continuous and consistently upgrade our knowledge, skills and work processes leading to a greater relationship with our customers, suppliers and community at large. And by expanding into more automotive and industrial markets.

Visit Us At http://www.arb-bearings.com

# # #

ARB Bearings Limited are proud to be one of the leading bearing brand of India. We have achieved a new high by creating new ground of targets and quality.We are India's prominent engineering companies With a tremendous focus on manufacturing quality bearings and restrains on cost.
ARB Bearings Limiteds Limited
Contact Person: Vasu Goel
Mobile No: 9899979990
Email: export@arb-bearings.com,
info@arb-bearings.com
Website- http://www.arb-bearings.com

How Do Ball Bearings Work?

In General
1. Ball bearings work to make something spin. They are found in many different applications, and although the ball bearing itself is just a round metal ball, the appearance of a set of bearings can look vastly different from one application to another. Some are just ball bearings rolling free in bearing cups, some are in sealed setups that look more like a donut than a bearing, and some are hidden from view altogether, such as those in a fishing pole or bicycle wheel.

The Bearing
2. A ball bearing is a round, metal ball that works in unison with other bearings of the same shape and size to allow a spinning motion. They come in many different sizes, from extremely tiny to very large. Most bicycle wheel bearings are about the size of a green pea, for reference. Ball bearings actually roll around in their enclosure, which allows the object they are in to spin. Normally, the mechanism that ball bearings roll around in is called a race.

Lubrication
3. Friction causes heat, and steel ball bearings rolling around (sometimes at a very high rate of speed) are no exception. The most common cause of ball bearing failure is heat. If the bearing set is exposed to the elements, the combination of hot and cold weather mixed with rain and dew can break down the lubrication fast. This could cause the ball bearings to rust, preventing them from spinning freely. To combat the heat monster and vastly prolong the life of the bearings and the race, lubrication is needed. Keeping a bearing set well-greased exponentially cuts down on the heat caused from friction. Different lubricants are used in different types of bearings, so be sure you use the correct grease for the application.


If you decide to grease ball bearings yourself, do not be afraid to use too much. A liberal coating of grease can only help the situation. In general, the faster the bearings go, the more their need for lubrication increases. Therefore, it is essential to coat high-speed bearings, such as those found in wheels, with quality grease. One of the best multi-purpose greases available is the Moly graphite bearing grease used on disc brakes. It repels water very well, and will not easily break down or allow heat to gum it up.

Visit us at Automotive Bearing Manufacturer,Industrial Bearing Manufacturer, Metal Bearing Exporter