मंगलवार, 16 अगस्त 2011

1. kiran bedi 2. india against corruption 3. arvind kejriwal 4. anna hazare lokpal bill 5. india tv 6. anna hazare anti corruption 7. star majha 8. bor 9. railway recruitment board 10. starnews

  1.     kiran bedi
  2.     india against corruption
  3.     arvind kejriwal
  4.     anna hazare lokpal bill
  5.     india tv
 
   
  6.     anna hazare anti corruption
  7.     star majha
  8.     bor
  9.     railway recruitment board
10.     starnews




1.     kiran bedi
2.     india against corruption
3.     arvind kejriwal
4.     anna hazare lokpal bill
5.     india tv
   
6.     anna hazare anti corruption
7.     star majha
8.     bor
9.     railway recruitment board
10.     starnews
   
11.     kapil sibal
12.     current news
13.     news 24
14.     air india
15.     headlines today
   
16.     news today
17.     news india
18.     trb
19.     sail
20.     toi



 1.     kbc 5
2.     kaun banega crorepati
3.     independence day speech
4.     red fort
5.     patriotic songs
  
6.     vande mataram ar rahman
7.     anna hazare latest news
8.     vande mataram
9.     flag of india
10.     ae mere watan ke logo
  
11.     maa tujhe salaam
12.     national flag
13.     bhagat singh
14.     anna hazare
15.     sony tv live
  
16.     national anthem of india
17.     independence day quotes
18.     india against corruption
19.     ready movie
20.     games for boys

1.     shammi kapoor
2.     independence day speech
3.     shashi kapoor
4.     flag of india
5.     avatar movie
   
6.     national flag
7.     anna hazare
8.     vande mataram ar rahman
9.     india against corruption
10.     national anthem of india
   
11.     jana gana mana
12.     raj kapoor
13.     patriotic songs
14.     independence day message
15.     aye mere watan ke logo
   
16.     kingdom of dreams
17.     rishi kapoor
18.     maa tujhe salaam
19.     eamcet
20.     vande mataram


1.     b ed result 2011
2.     raksha bandhan sms
3.     southindia
4.     mehndi designs for hands
5.     arvind kejriwal
   
6.     rakshabandhan
7.     anna hazare
8.     hindi love sms
9.     rakhi gifts
10.     uptu
   
11.     raksha bandhan 2011 date
12.     download music
13.     fsi
14.     sehwag
15.     epl
   
16.     alastair cook
17.     epl fixtures
18.     left handers day
19.     furosemide
20.     barclays premier league
1.     rtu
2.     raksha bandhan sms
3.     louis philippe
4.     rakhi
5.     mehndi designs for hands
   
6.     rakhi gifts
7.     vande mataram
8.     rakshabandhan
9.     national anthem of india
10.     smashits
   
11.     india flag
12.     micromax a70
13.     mehndi designs
14.     punjab university
15.     aarakshan
   
16.     mehndi designs for hands arabic
17.     anna hazare
18.     thomas alva edison
19.     pnr
20.     arvind kejriwal


1.     rtu
2.     independence day of india
3.     raksha bandhan
4.     mankatha songs free download
5.     rakhi
   
6.     aarakshan
7.     numerology calculator
8.     mausam 2011 songs
9.     numerology
10.     freedom fighters
   
11.     library.nu
12.     ek tha tiger
13.     kajal
14.     mehandi designs
15.     alastair cook
   
16.     numerology compatibility
17.     pnr status
18.     subhash chandra bose
19.     123musiq
20.     flag of india

16.     gold rate today
17.     micromax mobile
18.     cricinfo
19.     ksrtc
20.     live score cricket
1.     10th result 2011
2.     sslc results 2011 tamilnadu
3.     mankatha songs free download
4.     mankatha
5.     weather forecast kolkata
   
6.     raksha bandhan
7.     micromax
8.     irctc
9.     redbus
10.     maruti suzuki
   
11.     fomc meeting
12.     hansika motwani
13.     makemytrip
14.     make my trip
15.     train ticket booking online
   
16.     gold rate today
17.     micromax mobile
18.     cricinfo
19.     ksrtc
20.     live score cricket





























शनिवार, 13 अगस्त 2011

india is projected to be the third-largest pharma market






india is projected to be the third-largest pharma market (after the US and China) in terms of incremental growth. It is also evident that the sub-continent, with the highest population and robust economic growth, offers attractive return to pharma companies due to its cost effective manufacturing capabilities and branded generics nature of the market. As the domestic pharma market grows in size and diversity, there are several opportunities that will scale up to their full potential. Some of these include biologics and vaccines, consumer healthcare, patented products and hospital segment, which are at an early stage of lifecycle, but are likely to scale up with upgradation of therapies, increased penetration of multi-specialty hospitals and changes in patients preference. According to industry sources, these opportunities will collectively grow to USD 25 bn by 2020 from the current USD 5 bn.

Implementing an Object Factory









Implementing an Object Factory

Say you write a simple drawing application, allowing editing of simple vectorized drawings consisting of lines, circles, polygons, and so on.[1] In a classic object-oriented manner, you define an abstract Shape class from which all your figures will derive:
[1] This "Hello, world" of design is a good basis for C++ interview questions. Although many candidates manage to conceive such a design, few of them know how to implement the loading of files, which is a rather important operation.
class Shape
{
public:
   virtual void Draw() const = 0;
   virtual void Rotate(double angle) = 0;
   virtual void Zoom(double zoomFactor) = 0;
   ...
};
You might then define a class Drawing that contains a complex drawing. A Drawing essentially holds a collection of pointers to Shape—such as a list, a vector, or a hierarchical structure—and provides operations to manipulate the drawing as a whole. Two typical operations you might want to do are saving a drawing as a file and loading a drawing from a previously saved file.
Saving shapes is easy: Just provide a pure virtual function such as Shape::Save(std:: ostream&). Then the Drawing::Save operation might look like this:
class Drawing
{
public:
   void Save(std::ofstream& outFile);
   void Load(std::ifstream& inFile);
   ...
};

void Drawing::Save(std::ofstream& outFile)
{
   write drawing header
   for (each element in the drawing)
   {
       (current element)->Save(outFile);
   }
}
The Shape-Drawing example just described is often encountered in C++ books, including Bjarne Stroustrup's classic (Stroustrup 1997). However, most introductory C++ books stop when it comes to loading graphics from a file, exactly because the nice model of having separate drawing objects breaks. Explaining the gory details of reading objects makes for a big parenthesis, which understandably is often avoided. On the other hand, this is exactly what we want to implement, so we have to bite the bullet. A straightforward implementation is to require each Shape-derived object to save an integral identifier at the very beginning. Each object should have its own unique ID. Then reading the file would look like this:
// a unique ID for each drawing object type
namespace DrawingType
{
const int
   LINE = 1,
   POLYGON = 2,
   CIRCLE = 3
};

void Drawing::Load(std::ifstream& inFile)
{
   // error handling omitted for simplicity
   while (inFile)
   {
      // read object type
      int drawingType;
      inFile >> drawingType;

      // create a new empty object
      Shape* pCurrentObject;
      switch (drawingType)
      {
         using namespace DrawingType;
      case LINE:
         pCurrentObject = new Line;
         break;
      case POLYGON:
         pCurrentObject = new Polygon;
         break;
      case CIRCLE:
         pCurrentObject = new Circle;
         break;
      default:
         handle error—unknown object type
      }
      // read the object's contents by invoking a virtual fn
      pCurrentObject->Read(inFile);
      add the object to the container
   }
}
This is indeed an object factory. It reads a type identifier from the file, creates an object of the appropriate type based on that identifier, and invokes a virtual function that loads that object from the file. The only problem is that it breaks the most important rules of object orientation:
  • It performs a switch based on a type tag, with the associated drawbacks, which is exactly what object-oriented programs try to eliminate.
  • It collects in a single source file knowledge about all Shape-derived classes in the program, which again you must strive to avoid. For one thing, the implementation file of Drawing::Save must include all headers of all possible shapes, which makes it a bottleneck of compile dependencies and maintenance.
  • It is hard to extend. Imagine adding a new shape, such as Ellipse, to the system. In addition to creating the class itself, you must add a distinct integral constant to the namespace DrawingType, you must write that constant when saving an Ellipse object, and you must add a label to the switch statement in Drawing::Save. This is an awful lot more than what the architecture promised—total insulation between classes—and all for the sake of a single function!
We'd like to create an object factory that does the job without having these disadvantages. One practical goal worth pursuing is to break the switch statement apart—so that we can put the Line creation statement in the file implementation for Line—and do the same for Polygon and Circle.
A common way to keep together and manipulate pieces of code is to work with pointers to functions, as discussed at length in Chapter 5. The unit of customizable code here (each of the entries in the switch statement) can be abstracted in a function with the signature
Shape* CreateConcreteShape();
The factory keeps a collection of pointers to functions with this signature. In addition, there has to be a correspondence between the IDs and the pointer to the function that creates the appropriate object. Thus, what we need is an associative collection—a map. A map offers access to the appropriate function given the type identifier, which is precisely what the switch statement offers. In addition, the map offers the scalability that the switch statement, with its fixed compile-time structure, cannot provide. The map can grow at runtime—you can add entries (tuples of IDs and pointers to functions) dynamically, which is exactly what we need. We can start with an empty map and have each Shape-derived object add an entry to it.
Why not use a vector? IDs are integral numbers, so we can keep a vector and have the ID be the index in the vector. This would be simpler and faster, but a map is better here. The map doesn't require its indices to be adjacent, plus it's more general—vectors work only with integral indices, whereas maps accept any ordered type as an index. This point will become important when we generalize our example.
We can start designing a ShapeFactory class, which has the responsibility of managing the creation of all Shape-derived objects. In implementing ShapeFactory, we will use the map implementation found in the standard library, std::map:
class ShapeFactory
{
public:
   typedef Shape* (*CreateShapeCallback)();
private:
   typedef std::map CallbackMap;
public:
   // Returns 'true' if registration was successful
   bool RegisterShape(int ShapeId,
      CreateShapeCallback CreateFn);
   // Returns 'true' if the ShapeId was registered before
   bool UnregisterShape(int ShapeId);
   Shape* CreateShape(int ShapeId);
private:
   CallbackMap callbacks_;
};
This is a basic design of a scalable factory. The factory is scalable because you don't have to modify its code each time you add a new Shape-derived class to the system. ShapeFactory divides responsibility: Each new shape has to register itself with the factory by calling RegisterShape and passing it its integral identifier and a pointer to a function that creates an object. Typically, the function has a single line and looks like this:
Shape* CreateLine()
{
   return new Line;
}
The implementation of Line also must register this function with the ShapeFactory that the application uses, which is typically a globally accessible object.[2] The registration is usually performed with startup code. The whole connection of Line with the Shape Factory is as follows:
[2] This brings us to the link between object factories and singletons. Indeed, more often than not, factories are singletons. Later in this chapter is a discussion of how to use factories with the singletons implemented in Chapter 6.
// Implementation module for class Line
// Create an anonymous namespace
//  to make the function invisible from other modules
namespace
{
   Shape* CreateLine()
   {
      return new Line;
   }
   // The ID of class Line
   const int LINE = 1;
   // Assume TheShapeFactory is a singleton factory
   // (see Chapter 6)
   const bool registered =
      TheShapeFactory::Instance().RegisterShape(
         LINE, CreateLine);
}
Implementing the ShapeFactory is easy, given the amenities std::map has to offer. Basically, ShapeFactory member functions forward only to the callbacks_ member:
bool ShapeFactory::RegisterShape(int shapeId,
   CreateShapeCallback createFn)
{
   return callbacks_.insert(
      CallbackMap::value_type(shapeId, createFn)).second;
}

bool ShapeFactory::UnregisterShape(int shapeId)
{
   return callbacks_.erase(shapeId) == 1;
}
If you're not very familiar with the std::map class template, the previous code might need a bit of explanation:
  • std::map holds pairs of keys and data. In our case, keys are integral shape IDs, and the data consists of a pointer to function. The type of our pair is std::pair. You must pass an object of this type when you call insert. Because that's a lot to write, it's better to use the typedef found inside std::map, which provides a handy name—value_type—for that pair type. Alternatively, you can use std::make_pair.
  • The insert member function we called returns another pair, this time containing an iterator (which refers to the element just inserted) and a bool that is true if the value didn't exist before, and false otherwise. The.second field access after the call to insert selects this bool and returns it in a single stroke, without our having to create a named temporary.
  • erase returns the number of elements erased.
The CreateShape member function simply fetches the appropriate pointer to a function for the ID passed in, and calls it. In the case of an error, it throws an exception. Here it is:
Shape* ShapeFactory::CreateShape(int shapeId)
{
   CallbackMap::const_iterator i = callbacks_.find(shapeId);
   if (i == callbacks_.end())
   {
      // not found
      throw std::runtime_error("Unknown Shape ID");
   }
   // Invoke the creation function
   return (i->second)();
}





2.2 Partial Template Specialization






2.2 Partial Template Specialization

Partial template specialization allows you to specialize a class template for subsets of that template's possible instantiations set.
Let's first recap total explicit template specialization. If you have a class template Widget,
template 
class Widget
{
   ... generic implementation ...
};
then you can explicitly specialize the Widget class template as shown:
template <>
class Widget
{
   ... specialized implementation ...
};
ModalDialog and MyController are classes defined by your application.
After seeing the definition of Widget's specialization, the compiler uses the specialized implementation wherever you define an object of type Widget and uses the generic implementation if you use any other instantiation of Widget.
Sometimes, however, you might want to specialize Widget for any Window and MyController. Here is where partial template specialization comes into play.
// Partial specialization of Widget
template 
class Widget
{
   ... partially specialized implementation ...
};
Typically, in a partial specialization of a class template, you specify only some of the template arguments and leave the other ones generic. When you instantiate the class template in your program, the compiler tries to find the best match. The matching algorithm is very intricate and accurate, allowing you to partially specialize in innovative ways. For instance, assume you have a class template Button that accepts one template parameter. Then, even if you specialized Widget for any Window and a specific MyController, you can further partially specialize Widgets for all Button instantiations and My Controller:
template 
class Widget, MyController>
{
   ... further specialized implementation ...
};
As you can see, the capabilities of partial template specialization are pretty amazing. When you instantiate a template, the compiler does a pattern matching of existing partial and total specializations to find the best candidate; this gives you enormous flexibility.
Unfortunately, partial template specialization does not apply to functions—be they member or nonmember—which somewhat reduces the flexibility and the granularity of what you can do.
  • Although you can totally specialize member functions of a class template, you cannot partially specialize member functions.
  • You cannot partially specialize namespace-level (nonmember) template functions. The closest thing to partial specialization for namespace-level template functions is overloading. For practical purposes, this means that you have fine-grained specialization abilities only for the function parameters—not for the return value or for internally used types. For example,
    template  T Fun(U obj); // primary template
    template  void Fun(U obj); // illegal partial
    //        specialization
    template  T Fun (Window obj); // legal (overloading)
    
This lack of granularity in partial specialization certainly makes life easier for compiler writers, but has bad effects for developers. Some of the tools presented later (such as Int2Type and Type2Type) specifically address this limitation of partial specialization.

Some skill sets you must have



o    Expert knowledge of software architectural principles, design patterns & programming practices. Ability to independently design C/C++ solutions for non-functional requirements

o    Must have contributed to technology/tools evaluation and technical proof of concept applications

o    Must have collaborated in documenting & developing platform architecture with significant exposure to defining non-functional requirements

o    Must have technically managed 2 full cycle SDLC implementation with prime exposure to architecture & design

o    Excellent computer science fundamentals with significant exposure to databases, networking, distributed computing & web technologies

o    Strong exposure to SDLC/PDLC aspects with ability to fulfill architectural responsibilities at each stage of solution building & delivery

o    Strong technical competence

§  Provide technical guidance & leadership to the team

§  Independently interface with clients for technical discussions and ensure completion of all architectural responsibilities

§  Create technology & tool evaluation reports

Responsibilities-




   

o    Conduct architectural & design reviews and facilitate solution delivery with technical excellence

o    Responsible for independently managing deliveries and fulfill the release execution cycles

o    Independently interface with clients for the assigned modules and ensure completion of all PM responsibilities

o    Provide recommendations on development methodologies, frameworks applicability, technology choices, relevant toolset etc

o    Ingeniously expand the coarse requirements to engineering details (including non-functional specifications) and provide product definition

o    Contribute to business development, pre-sales engineering opportunities and organizational technology initiatives







o    Expert knowledge of software architectural principles, design patterns & programming practices. Ability to independently design C/C++ solutions for non-functional requirements

o    Must have contributed to technology/tools evaluation and technical proof of concept applications

o    Must have collaborated in documenting & developing platform architecture with significant exposure to defining non-functional requirements

o    Must have technically managed 2 full cycle SDLC implementation with prime exposure to architecture & design

o    Excellent computer science fundamentals with significant exposure to databases, networking, distributed computing & web technologies

o    Strong exposure to SDLC/PDLC aspects with ability to fulfill architectural responsibilities at each stage of solution building & delivery

o    Strong technical competence

§  Provide technical guidance & leadership to the team

§  Independently interface with clients for technical discussions and ensure completion of all architectural responsibilities

§  Create technology & tool evaluation reports

Responsibilities-




   

o    Conduct architectural & design reviews and facilitate solution delivery with technical excellence

o    Responsible for independently managing deliveries and fulfill the release execution cycles

o    Independently interface with clients for the assigned modules and ensure completion of all PM responsibilities

o    Provide recommendations on development methodologies, frameworks applicability, technology choices, relevant toolset etc

o    Ingeniously expand the coarse requirements to engineering details (including non-functional specifications) and provide product definition

o    Contribute to business development, pre-sales engineering opportunities and organizational technology initiatives

new baby names end मुलांची नावे / मुलांची मराठी नावे | मुलींची मराठी नावे 2011

मुलांची नावे / मुलांची मराठी नावे /मुलींची  मराठी नावे 2011

Image result for मुलांची नावे


आद्याक्षराहून नावे 

Taarank = part of a star
Taha = Pure
Tahir = holy
Tahoma = someone who is Different with a Cute Personality
Tajdar = corwned
Taksa = a son of Bharata
Taksha = King Bharat's son
Takshak = a cobra
Taksheel = someone with a strong character
Talaketu = Bhishma Pitamaha
Talank = Lord Shiva
Talin = Lord Shiva
Talish = Lord of earth
Tamal = a tree with very dark bark
Tamas = darkness
Tamila = Sun
Tamish = God of darkness (moon)
Tamkinat = pomp
Tamoghna = Lord Vishnu; Lord Shiva
Tamonash = destroyer of ignorance
Tamra = Copper Red
Tana = Issue
Tanak = Prize
Tanav = Flute
Tanay = son
Tanish = Ambition
Tanishq = Jewel
Tanmay = absorbed
Tanuj = son
Tanul = To expand, Progress
Tandeep = inner soul, light inside
Tanveer = englightened
Tapan = hot season
Tapas = sun
Tapasendra = lord Shiva
Tapasranjan = lord Vishnu
Tapendra = Lord of heat (sun)
Tapesh
Tapomay = full of moral virtue
Taporaj = moon
Tarachand = star
Tarachandra = star & moon
Taradhish = Lord of the stars
Tarak = protector
Tarakesh = Stary Hair
Tarakeshwar = lord Shiva
Taraknath = lord Shiva
Taraksh = Mountain
Taral = liquid
Taran = raft, heaven
Tarang = wave
Tarani = boat, sun
Taranjot
Taraprashad = star
Tarendra = Prince of stars
Taresh = God of the stars (moon)
Tarik = one who crosses the river of life
Tarit = lightning
Tarosh = "Heaven, small boat"
Taru = small plant
Tarusa = Conquerer
Tarun = young
Taruntapan = morning sun
Tathagat = title of the Buddha
Tatharaj = Buddha
Tatya = Lord Shiva
Tautik = Pearl
Tavish = Heaven
Teerth = holy place
Teerthankar = a Jain saint
Tegvir
Tej
Tejal = bright
Tejas = lustre; brilliance
Tejeshwar = lord of brightness
Tejomay = glorious
Thakarshi = Lord Krishna
Thakur = leader; god
Thaman = name of a god
Thashan
Thavanesh = Lord Shiva
Thayalan
Thulasitharan
Tijil = moon
Tilak = ornament, ornamental mark on fore-head
Timin = large fish
Timmy = Disaple of Paul
Timothy = Name of a Saint
Tirranand = Lord Shiva
Tirthankar = Lord Vishnu
Tirthayaad = Lord Krishna
Tirumala = Seven Hills
Tirupathi = seven hills
Tisyaketu = Lord Shiva
Titir = a bird
Toshan = satisfaction
Toya = water
Toyesh = Lord of water
Trailokva = the three worlds
Triambak = lord Shiva
Tribhuvan = with knowledge of 3 worlds
Tridev = Hindu Trinity (Bramha, Vishnu & Mahesh - the creator, sustainer, destroyer)
Tridhaman = the Holy trinity
Tridhatri = Lord Ganesh
Tridib = heaven
Tridiva = heaven
Trigun = the three dimensions
Trigya = Lord Buddha
Trijal = Lord Shiva
Trikay = Lord Buddha
Trilochan = three eyed
Trilok = three worlds
Trilokchand = moon of the three worlds
Trilokesh = lord Shiva
Trilokanath = Lord Shiva
Trimaan = Worshipped in three worlds.
Trimurti = the Holy trinity
Trinabh = Lord Vishnu
Trinath = LOrd Shiv
Tripur three cities
Trinayan = Lord Shiva
Tripurajit = Lord Shiva
Tripurari = name of lord Shiva
Trisanu
Trishanku = an ancient king
Trishar = Pearl necklace
Trishul = Lord Shiva's trident
Trishulank = Lord Shiva
Trishulin = Lord Shiva
Trivikram = an epithet of Vishnu

Tu-Tz

Tufan = storm
Tuhin = snow
Tuhinsurra = white as snow
Tuka = Young boy
Tukaram = a poet saint
Tulsikumar = Son of Tulsi
Tulsidaas = servant of Tulsi
Tunava = A Flute
Tunda = Lord Shiva
Tunganath = Lord of the mountains
Tungar = high, lofty
Tungesh = moon
Tungeshwar = Lord of the mountains
Tungish = Lord Shiva; Lord Vishnu
Turag = A thought
Turvasu = a son of Yayaati
Tushaar = frost
Tusharkanti = lord Shiva
Tusharsuvra = white as snow
Tusya = Lord Shiva
Tuvidyumna = Lord Indra
Tuvijat = Lord Indra
Tyaagaraaj = a deity
Tyagraja = a famous poet

राशीहून नावे

Uday = to rise
Udayan = up rising
Udbhav = creation, to arise from
Uddhav = a festival, Sacrificial ( Yagya ) fire,
Udeep = flood
Udit = grown, shining, awakened
Ujesh = one who bestows light
Ujjwal = bright, clear
Ulhas = delight, joy
Umachandra = Uma ( Goddess Parvati) and Lord Shiva
Umakant = husband of Uma ( Lord Shiva)
Umang = enthusiasm
Umesh = God of Uma ( Lord Shiva)
Unmesh = blowing, opening, flash
Upanshu = chanting of hymns or mantras in low tone
Upendra = Lord Vishnu, an element
Ushapati = husband of dawn (sun)
Uttam = best
Utkarsh = prosperity, awakening
Utpal = beginning, a water lily
Vaachaspati = Lord of speech
Vaageesh = Lord of speech
Vaakpati = great orator
Vaalmeeki = an ancient saint, Ramayan author
Vaaman = name of Vishnu
Vaamdev = name of a Shiva
Vaanee = speech, Saraswati
Vaasavadatta = a name in Sanskrit classics
Vaasuki = a celestial serpant
Vaatsyaayan = a saint, Kamasutra author
Vaayu = wind
Vachan = speech
Vachaspati = Lord of speech
Vadin


सिंह राशीच्या मुलांची नावे

Vadish = Lord of the body
Vagindra = Lord of speech
Vagish = God of speech (Lord Brahma)
Vahin = Lord Shiva
Vaibhav = prosperity
Vaidyanaath = master of medicines
Vaijayi = Victor
Vaijnath = Lord Shiva
Vaikartan = Name of Karna
Vaikhan = Lord Vishnu
Vaikunth = heaven, Vishnu's abode
Vaikuntanath = master of heavens
Vainavin = Lord Shiva
Vairaj = Spiritual glory
Vairaja = son of Virat
Vairat = gem
Vairinchya = Lord Brahma's son
Vairochan = an ancient name
Vaisak = A season
Vaishant = Quiet and Shining Star
Vaishnav = Follower of Vishnu
Vaishwaanar = omnipresent
Vaiwaswat = one of the Saints
Vajasani = Lord Vishnu's son
Vajendra = Lord Indra


मेष राशीच्या मुलांची नावे

Vajraang = diamond bodied, hard
Vajrabaahu = one with strong arms
Vajradhar = Lord Indra
Vajrahast = Lord Shiva
Vajrajit = Lord Indra
Vajrakaya = Sturdy Like Metal, Lord Hanuman
Vajraksha
Vajramani = diamond
Vajrapaani = holder of rocks
Vajrin = Lord Indra
Vakrabhuj = Lord Ganesh
Vakratund = an epithet of Ganesha
Valaak = a crane
Vallabh = beloved
Valmiki = Saint who wrote Ramayan
Vama = Lord Shiva
Vamadev = Lord Shiva
Vamsi = Telugu name, Krishna
Vamsidhar = Lord Krishna
Vamsikrishna = Telugu name, Krishna

Van-Vd


कर्क राशीच्या मुलांची नावे

Vanabihari = Lord Krishna
Vanad = Cloud
Vanadev = Lord of the forest
Vanajit = Lord of the forest
Vanamalin = Lord Krishna
Vandan = adoration
Vanhi = fire
Vanij = Lord Shiva
Vaninadh = Husband of Saraswati
Vanmaalee = an epithet of Krishna
Vanraaj = ruler of the foreset, the Lion
Vansh = lineage, line of descent
Vansheedhar = flute player
Vanshya
Varid = cloud

Related image
वृषभ राशीच्या मुलांची नावे

Varidhvaran = colour of the cloud
Variya = excellent one
Varendra = ocean
Varaah = an epithet of Vishnu
Varaahamihir = an ancient astronomer
Vardaan = boon
Varad = God of fire
Varadaraaj = another name of Vishnu
Varana = Holy river
Vardhaman = Lord Mahavir
Vardhan = Lord Shiva
Varesh = Giver of boons, Lord Shiva
Vareshvar = Giver of boons, Lord Shiva
Varij = lotus
Varin = Gifts
Varindra = Lord of all
Varish = Lord Vishnu
Variyas = Lord Shiva
Vartanu = beautiful


मिथुन राशीच्या मुलांची ...

Varun = God of water
Varunesh = Lord of water
Vasant = spring season
Vasantamaalika = garland of spring
Vasav = an epithet of Indra
Vasavaj = Son of Indra
Vashisht = name of a guru
Vasistha = name of a sage
Vasu = an ancient king
Vasudev = god of the Universe, Krishna's father
Vasuki = A snake in Hindu Mythology
Vasuman = born of fire
Vasumat = Lord Krishna
Vasumitra = Krishna's friend
Vasupati = rich man
Vasur = Precious
Vasuroop = Lord Shiva
Vasusen = original name of Karna
Vatatmaj = Lord Hanuman
Vatradhara = Practising Penance, Lord Rama
Vatsa = Son
Vatsal = affectionate
Vatsapal = Lord Krishna
Vatsar = a year
Vatsin = Lord Vishnu
Vaydeesh = God of The Vedas
Vayu = Lord Hanuman
Vayujat = Lord Hanuman
Vayun = Lively
Vayunand = Lord Hanuman
Vayya = Friend

Ve-Vh
Image result for मुलांची नावे
Ved = knowledge
Vedanga = meaning of Vedas
Vedant = Hindu philosophy, Ultimate wisdom
Vedanth = Ultimate wisdom, conclusions of the Vedas
Vedaprakash = light of knowledge
Vedatman = Lord Vishnu
Vedatmane = Spirit of the Vedas
Vedavrata = vow of the Vedas
Vedbhushan = one adorned with knowledge of the Vedas
Vedesh = Lord of Vedas
Vedmohan = Lord Krishna
Vedavyaas = name of a saint
Veekshith
Veer = brave
Veerbhadra = Shiva's warrior
Veerendra = Lord of courageous men
Veerottam = Supreme amongst braves.
Velan = Lord Shiva's son Murugan
Venavir = Lord Shiva's son
Veni = Krishna Krishna
Venimadhav = Lord Krishna
Venkat = Lord Vishnu; Lord Krishna
Venkataramananandan = A Name for Lord Vishnu
Venkatesh = name of god Vishnu
Venu = Flute
Venumadhav
Venugopal
Veydant = Sum of the Vedas

Via-Vik
Image result for मुलांची नावे
Viamrsh = Lord Shiva
Vibhaakar = the moon
Vibhaavasu = the sun
Vibhas = decoration; light
Vibhat = dawn
Vibhavasu = the sun, fire
Vibhishan = Ravana's brother
Vibhor
Vibhu = powerful
Vibhudendra = King of earth
Vibhumat = Lord Krishna
Vibhusnu = Lord Shiva
Vibhut = Strong
Vibodh = Wise
Vidarbh = ancient name of a state
Videh = without form
Vidhatru = Lord Shiva
Vidhesh = Lord Shiva
Vidhu = Lord Vishnu
Vidhyadhar = One with Knowledge
Vidip = Bright
Vidit
Vidojas = Lord Indra
Vidur = skillful
Vidvan = scholar
Vidvatam = Lord Shiva
Vidyaaranya = forest of learning
Vidyacharan = learned
Vidyadhar = learned
Vidyaranya = forest of knowledge
Vidyasagar = ocean of learning
Vidyut = Brilliant; Lightening
Vighnajit = Lord Ganesh
Vighnaraaj = an epithet of Ganesha
Vighnesh = Lord Ganesh
Vighneshwar = Lord of supreme knowledge
Vigrah = Lord Shiva
Vihaan = Morning; Dawn
Vihanga = bird
Vihang = A bird
Vijay = victory
Vijayant = victor
Vijayarathna = Significant among victorious
Vijayendra = God of victory
Vijayesh = Lord Shiva
Vijayketu = flag of victory
Vijeesh = victorious
Vijendra = victorious
Vijeta = victorious
Vijigeesh = desire of victory
Vijul = a silk-cotton tree
Vijval = Intelligent
Vikarnan = Son of Dhritrashtra
Vikas = development
Vikat = Of the Monstrous Figure. Lord Ganesha
Vikern = Errorless
Vikesh = the moon
Vikram = valour
Vikramaditya = a famous king
Vikramajit = a famous king
Vikramendra = king of prowess
Vikramin = Lord Vishnu
Vikrant = powerful
Viksar = Lord Vishnu
Vikunth = Lord Vishnu's abode
Vilaas = entertainment
Vilochan = the eye
Vilohit = Lord Shiva
Vilok = to see
Vilokan = gaze
Vimal = pure
Vimaladitya = clean sun
Vimalmani = pure jewel (crystal)
Vimridh = Lord Indra
Vinaayak = remover of obstacles
Vinahast = Lord Shiva
Vinamar = humble
Vinay = modesty
Vineet = unassuming
Vinesh = godly
Vinil = Blue
Vinochan = Lord Shiva
Vinod = pleasing, hobby, happy
Vinoo = to spread in different directions
Vipan = sail, petty trade
Vipaschit = Lord Buddha
Vipin = different, a forest grove
Vipinbehari = forest wanderer
Viplav = revolution
Vipreet = Different
Vipul = extensive
Vir = brave
Viraaj = to shine
Viraat = giant
Virabhadra = Lord Shiva
Viral = rare
Viranath = Lord of the brave
Viranchi = name of Brahmaa
Virasana
Virat = Supreme being
Virata = bravery
Virbhanu = Very strong
Virendra = brave Lord
Viresh = brave Lord
Vireshvar = Lord Shiva
Virikvas = Lord Indra
Virinchi = Brahma
Virochan = the sun
Virudh = Opposite
Virurch = the Holy trinity

Vis-Vq

Visamaksh = Lord Shiva
Vishaal = broad
Vishaalaaksh = large eyed
Vishakh = Lord Shiva
Vishalya = painless
Vishantak = Lord Shiva
Vishatan = Lord Vishnu
Vishesh = special
Vishikh = arrow
Vishnahpu = Lord Vishnu
Vishnay = Flowers of Lord Vishnu/ Krishna
Vishnu = root, almighty
Vishnudutt = gift of Lord Vishnu
Vishodhan = Lord Vishnu
Vishram = rest
Vishresh = the Holy trinity
Vishruth
Vishtasp
Vishv = universe
Vishva = earth, universe
Vishvadev = Lord of the universe
Vishvadhar = Lord Vishnu
Vishvag = Lord Brahma
Vishvahetu = Lord Vishnu
Vishvajit = Conqueror of the world
Vishvakarma = architect of the universe, son of Yogasiddha
Vishvaketu = an epithet of Aniruddh
Vishvam = universal
Vishvamitra = A sage
Vishvanabh = Lord Vishnu
Vishvanaath = Lord of the universe
Vishvaretas = Lord Brahma; Vishnu
Vishvatma = universal soul
Vishvesh = Lord of the world
Vishwaamitra = friend of the world
Vishwaas = faith
Vishwajeet = conquerer of the world
Vishwakarma = architect of the universe
Vishwambhar = the supreme spirit
Vishwamitra = friend of the universe
Vishwankar = creator of the universe
Vishwaroop = omnipresent
Vishwast
Vishwasth
Vishwatma = universal soul
Vishweshwar = Lord of the universe
Vismay = surprise
Visvajit = one who conquers the universe
Visvayu = brother of Amavasuand Satayu
Viswanath
Vitabhay = Lord Shiva; Lord Vishnu
Vitaharya = Lord Krishna
Vitashokha = one who does not mourn
Vitasta = River Jhelum in Sanskrit
Vithala = Lord Vishnu
Vitola = Peaceful
Vittanath = owner of wealth (Kuber)
Vittesh = Lord of wealth
Vitthal = Lord Vishnu
Vivaan = Lord Krishna
Vivan = Moon
Vivash = Bright
Vivaswat = the sun
Vivatma = universal soul
Vivek = conscience
Vivekananda = joyous with knowledge
Vivin

Vr-Vz

Vrajakishore = Lord Krishna
Vrajalal = Lord Krishna
Vrajamohan = Lord Krishna
Vrajanadan = Lord Krishna
Vrajesh = Lord Krishna
Vrajraj = Lord Krishna
Vratesh = Lord Shiva
Vrisa = Lord Krishna
Vrisag = Lord Shiva
Vrisan = Lord Shiva
Vrisangan = Lord Shiva
Vrisapati = Lord Shiva
Vrishab = Excellent
Vrishabh = A rasi, star sign
Vrishabhaanu = father of Radha
Vrishank = Lord Shiva
Vrishin = peacock
Vrisini = Lord Shiva
Vyan = Air
Vyasa = the author of Mahabharata
Vyom = sky
Vyomaang = part of the sky
Vyomdev = Lord Shiva
Vyomakesh = sky like hair
Vyomesh = the sun
Vyshnav = Worshipper of Vishnu
Yadav = particular community related to lord Krishna
Yadavendra = Leader of the Yadavas
Yadu = an ancient King
Yadunandan = son of Yadu, Krishna
Yadunath = Lord Krishna
Yaduraj = Lord Krishna
Yaduvir = Lord Krishna
Yagna = Ceremonial rites to God
Yagnesh
Yagya = sacrifice
Yagyasen = name of king Drupad
Yagyesh = lord for the sacrificial fire
Yaj = A sage
Yajat = Lord Shiva
Yajnadhar = Lord Vishnu
Yajnarup = Lord Krishna
Yajnesh = Lord VishnuYakootah emerald
Yaksha = A Type of a Demi-God
Yamahil = Lord Vishnu
Yamajit = Lord Shiva
Yamha = dove
Yamir = moon
Yash = fame
Yashas = Fame
Yashmit = famed
Yashodev = Lord of fame
Yashodhan = rich in fame
Yashodhar = famous
Yashovardhana
Yashovarman
Yashpal = Lord Krishna
Yashraj = king of fame
Yashvasin = the Popular. Lord Ganesha
Yashwant = one who has achieved glory
Yasti = slim
Yathavan = Lord Vishnu
Yatin = ascetic
Yatindra = Lord Indra
Yatish = Lord of devotees
Yatiyasa = Silver
Yatnesh = God of Efforts
Yayati = Name of a Sage
Yayin = Lord Shiva
Yogadeva = Lord of Yoga
Yoganidra = Meditation
Yogendra = god of Yoga
Yogesh = god of Yoga
Yogi = Devotee
Yoginampati = Lord of the Yogis
Yogine = Saint. A name for Lord Hanuman
Yogini = Lover of Yogas. Lord Krishna
Yogiraj = Great Ascetic, Lord Shiva
Yojit = Planner
Yudhajit = victor in war
Yudhisthir = firm in battle
Yugandhar
Yugantar
Yukta = Idea
Yuval = Brook
Yuvaraj = prince, heir apparent
Yuyutsu = eager to fight








 मुलांची मराठी नावे 2011मुलांची मराठी नावे 2012मुलांची मराठी नावे 2013मुलांची मराठी नावे 2014
मुलांची मराठी नावे 2015मुलांची मराठी नावे 2016मुलांची मराठी नावे 2017मुलांची मराठी नावे 2018मुलांची मराठी नावे 2019मुलांची मराठी नावे 2020मुलांची मराठी नावे 2021

मुलींची  मराठी नावे 2011मुलींची  मराठी नावे 2012मुलींची  मराठी नावे 2013मुलींची  मराठी नावे 2014
मुलींची  मराठी नावे 2015मुलींची  मराठी नावे 2016मुलींची  मराठी नावे 2017मुलींची  मराठी नावे 2018मुलींची  मराठी नावे 2019मुलींची  मराठी नावे 2020मुलींची  मराठी नावे 2021

new baby names "S"






Saagar = ocean
Saakaar = Manifestation of god
Saanjh = Evening
Saaras = swan
Saatatya = Never ending
Saatvik = Pious
Sabal = with strength
Sabhya = civilized
Sabyasachi = another name of Arjuna
Sabrang = Rainbow
Sachh = the Truth
Sacchidananda = total bliss
Sachchit = Lord Brahma
Sachet = consciosness
Sachetan = Rational
Sachin = Lord Shiva
Sachish = Lord Indra
Sachit = joyful
Sachiv = Friend
Sadabindu = Lord Vishnu
Sadanand = Ever joyous
Sadar = Respectful
Sadashiv = Pure
Sadashiva = eternally pure
Sadavir = Ever courageous
Sadeepan = lit up
Sadgun = Virtues
Sadhan = fulfulment
Sadhil = Perfect
Sadiva = Eternal
Sadru = Lord Vishnu
Safal = Succeed
Saffar = Coppersmith
Sagan = Lord Shiva
Sagar = Sea, ocean
Sagardutt = gift of ocean
Sagun = auspicious gift, omen
Saguna = having good qualities
Sahaj = Easy
Sahar = Sun; Dawn
Sahara = shelter, helpful
Saharsh = with joy
Sahas = Brave
Sahasrad = Lord Shiva
Sahastrabahu = one with thousand arms
Sahastrajit = victor of thousands
Sahasya = Mighty, courageous
Sahat = Stong
Sahaya = Lord Shiva, Helpful
Sahdev = one of the Pandava princes
Sahen = falcon
Sahib = the lord
Sahil = Leader, Ruler, Guide
Sahishnu = Lord Vishnu
Sai = Flower
SaiAmartya = Immortal Sai Baba
Saicharan = Sai's feet
SaiDeep = A Name for Sai, Sai's light
SaiJeevadhara = Support of All Living Beings
SaiKalakala = Lord of Eternity, Shirdi Sai Baba
SaiKalateeta= Beyond Time Limitations
Saikiran = A Name for Sai Baba, Sai's light
Sailadev = Lord Shiva
Sainath = God
Saiprasad = blessing or gift of Sai
Saipratap = blessing of saibaba
Sai Satpurusha = Virtuous, Pious, Venerable One.

Saj-Sam

Sajal = moist
Sajan = beloved
Sajiv = Lively
Sajiva = Full of life
Sajjan = of virtues
Saju = Travelling
Sakaleshwar = Lord of everything
Sakash = Illumination
Saket = Lord Krishna
Saketharaman = A Name for Lord Rama
Sakshum = Skillful
Salarjung = leader in war
Salaj = water which flows from melted ice from mountain
Salil = Water
Salokh = friendship
Samaah = generosity
Samabashiv = Lord Shiva
Samaj = Lord Indra
Samajas = Lord Shiva
Samanyu = Lord Shiva
Samar = fruit of paradise
Samarendra = Lord Vishnu
Samarendu = Lord Vishnu
Samarjit = Lord Vishnu
Samarpan = dedicating
Samarth = Lord Krishna
Samavart = Lord Vishnu
Sambaran = restraint; an ancient king
Sambha = Shining
Sambhav = born; mainfested
Sambit = consciousness
Sambodh = complete knowledge
Sambuddha = wise
Samdarshi = Lord Krishna
Sameep = Close
Sameer = Early morning fragrance; Entertaining companion; Wind
Samen = Happy
Samendu = Lord Vishnu
Samesh = Lord of equality
Samhita = a Vedic composition
Sami = someone dear to you
Samik = Peaceful
Samin = Self- disciplined
Samir = Wind
Samividhan= Constitution
Sammad = Joy
Sampada = blessing
Sampath
Sampoorn = complete
Samranpal
Samrat = Emperor
Samrudh = the Enriched One
Samskar = Good Ethics and Moral Values
Samskara = Ethics
Samudra = Sea
Samudragupta = a famous Gupta king
Samudrasen = lord of the ocean
Samvar = content
Samyak = enough

San-Sar

Sanaatan = permanent
Sanat = Lord Brahma
Sanatana = Eternel, Lord Shiva
Sanchay = Collection
Sanchit =collected
Sandeep = A lighted lamp
Sandeepen = lighting
Sandesh = Message
Sanhata = Conciseness
Sanjay = Victorious
Sanjeev = giving life, re-animating
Sanjit = Who Is AlwaysVictorious
Sanjiv = Vital
Sanjivan = making alive, giving life
Sanjog = Coincidence
Sankara = Shiva
Sankalp = will, determination
Sankarshan = a name of Balaram
Sanket = Signal
Sankul = crowded together, dense
Sannath = Accompanied by a protector
Sannibh = Rays of light, lightning
Sannidhi = Nearness, holy place
Sannigdh = Always ready
Sanobar = a pine tree
Sanshray = Aim
Sanskar = Good ethics, moral values
Santan = A tree, children
Santosh = happiness
Sanurag = Affectionate
Sanwariya = Lord Krishna
Sanyog = joining together, combination
Sapan = Dream (Swapna)
Saprathas = Lord Vishnu
Saptajit = Conqueror of 7 elements
Saptarishi =7stars representing 7great saints
Saptanshu = Fire
Sarana = Injuring
Sarang = Spotted deer
Saral = simple, straightforward
Saransh = In Brief
Saras = Moon
Sarasi = Lake
Sarasija = lotus
Sarasvat = Learned
Sarat = a sage
Saravana = Clump of reeds
Sarayu = wind, a river
Sarbajit = who has conquered everything
Sarbani = Goddess Durga
Sargam = Musical notes
Sarin = Helpful
Sarish = Equal
Sarit = river
Sarngin = name of God Vishnu
Sarojin = Lord Brahma
Sartaj = crown
Sarthak = having meaning, purpose
Sarup = having form or shape
Sarva = Lord Krishna; Shiva
Sarvad = Lord Shiva
Sarvadaman = son of Shakuntala-Bharat
Sarvadev = Lord Shiva
Sarvadharin = Lord Shiva
Sarvag = Lord Shiva
Sarvagny = The All Knowing. Lord Vishnu
Sarvak = Whole
Sarvambh = Lord Ganesh
Sarvang = Lord Shiva
Sarvapalaka = Protector of All. Lord Krishna
Sarvashay = Lord Shiva
Sarvavas = Lord Shiva
Sarvendra = God
Sarvesh = God
Sarveshvara = Lord Of all. A Name for Lord Shiva
Sarwar = promotion

Sas-Sd

Sashang = Connected
Sashreek = prosperous
Sashanth
Sashwat = Eternal
Sasi = Moon
Sasidhar
Sasmit = Ever smiling
Sasta = One who rules
Satadev = God
Satamanyu = Lord Indra
Satanand = Lord Vishnu
Satayu = brother of Amavasu and Vivasu
Sateendra = lord of truth
Satesh = Lord of hundreds
Sathi = Partner
Sathindar
Satin = Real
Satinath = Lord Shiva
Satindra = Lord Shiva
Satish = Husband of Sati, Shiva
Satishchandra
Satkartar = Lord Vishnu
Satpal = Protector
Satpati = Lord Indra
Satrajit = Ever victorious
Satruijt = a son of Vatsa
Satvamohan = truthful
Satvat = Lord Krishna
Satveer = Lord Vishnu
Satvik = Virtuous
Satvinder = Lord of virtue
Satya = truth
Satyadarshi = one who can see the truth
Satyadev = Lord of truth
Satyajit = Victory of truth
Satyak = Honest
Satyakaam = believer in truth
Satyaki = charioteer of Krishna
Satyam = Honesty
Satyamurty = Statue of truth
Satyanarayan = Lord Vishnu
Satyankar = true; good
Satyaprakash = light of truth
Satyapriya = devoted to truth
Satyasheel = truthful
Satyashrawaa = that who hears truth
Satyavaan = devoted to truth
Satyavache = Lord Rama, Speaker of Truth
Satyavrat = One who has taken vow of truth
Satyen
Satyendra = Lord of truth (Satyen)
Saubal = Mighty
Saubhadra = Abhimanyu
Saudeep
Saumit = Easy to get
Saumitr = good friend
Saumitra = Lakshman
Saumya = Handsome
Saunak = boy sage
Saurabh = Fragrance
Saurav = Divine, celestial
Saurjyesh = Kartikeya; the Lord of Valour
Sava = Saint who was a Trainer of Young monks.
Savar = Lord Shiva
Savir = Leader
Savit = Sun
Savitashri = lustre of the sun
Savitendra = lord of the sun
Savya = Lord Vishnu
Savyasachi = another name of Arjuna
Sawan = a Hindu month

Se-Shaq

Seemanta = parting of the hair
Sekhar
Sena = army
Senajit = Victory over army
Senthil
Seshadri
Setu = Sacred symbol
Seva = service, attendance, care
Sevak = servant
Shaan = glory
Shaandilya = name of a saint
Shaant = Peace and Calm
Shaarav = Pure & Innocent
Shaardul = a tiger
Shaashwat = eternal
Shabar = Nector
Shadab = fresh
Shagun = Auspicious
Shahalad = Joy
Shail = mountain
Shaildhar = one who holds mountain
Shailen
Shailendra = King of mountains
Shailesh = God of mountain, Himalaya
Shakti = Power
Shaktidhar = Lord Shiva
Shakuni = bird, uncle of Kauravas
Shakunt = Blue jay
Shakyasinha = Lord Buddha
Shalabh
Shalang = Emperor
Shaligram = Lord Vishnu
Shalik = A sage
Shalin = Modest
Shalina = Courteous
Shalmali = Lord Vishnu's power
Shalya = an arrow
Shamak = Makes peace
Shamakarn = Lord Shiva
Shambhavi = Son of Parvati. Lord Ganesha
Shambhu = Lord Shiva
Shameek = an ancient sage
Shami = fire, name of a tree
Shamik
Shamindra = quiet; gentle
Shamita = peacemaker
Shams = fragrance
Shanay = Power of lord Shani
Shandar = proud
Shankar = Shiva
Shankarshan = Lord Krishna's brother
Shankdhar = Lord Krishna
Shankh = a shell
Shankhapani = Lord Vishnu
Shankhi = ocean
Shankhin = Lord Vishnu
Shankir = Lord Shiva
Shanmukha = Kartikeya, first son of Lord Shiva
Shansa = praise
Shantanav = Bhishma Pitamaha
Shantan
Shantanu = Whole
Shantashil = gentle
Shantidev = Lord of peace
Shantimay = peaceful
Shantinath = Lord of peace
Shantiprakash = light of peace
Shanyu = Benevolent

Shar-Shd

Sharad = Name of a season
Sharadchandra = autumn moon
Sharadendu = moon of autumn
Sharan = shelter
Sharang = deer
Sharat = A season
Shardul = Tiger
Shari = arrow
Sharu = Lord Vishnu
Sharvarish = moon
Shashank = Moon
Shashee = Moon
Shashi = Moon
Shashibhushan = lord Shiva
Shashidhar = the moon
Shashikant = Moon stone
Shashikar = moon ray
Shashikiran = moon's rays
Shashimohan = the moon
Shashin = Moon
Shashipushpa = lotus
Shashish = Lord Shiva
Shashishekhar = moon-crested
Shashvata = A Name for Lord Rama Eternal
Sashriti = protector of wealth
Shashwat = Ever lasting, continuous
Shataaneek = another name of Ganesha
Shataayu = hundred years old
Shatadru = name of a river
Shatarupa = lord Shiva
Shatjit = conquerer of hundreds
Shat-manyu = another name of Indra
Shat-padm = hundred petaled lotus
Shatrughan = Lord Rama's brother
Shatrughna = victorious
Shatrujit = victorious over enemies
Shatrunjay = One who overcomes enemies
Shattesh = king of mountains
Shauchin = Pure
Shauna = God's Gift
Shaunak = Wise
Shaurav = Bear
Shauri = Lord Vishnu
Shaurya = Bravery
Shay = Gift
Shaylan

She-Shq

Sheehan = Peaceful child
Sheil = Mountain
Shekhar = Ultimate; peak
Shesanand = Lord Vishnu
Shesh = cosmic serpent
Sheshdhar = one who holds snake
Shevantilal = a crysanthemum
Shibhya = Lord Shiva
Shighra = Lord Shiva; Lord Vishnu
Shikhandin = Lord Shiva; Lord Vishnu
Shikhar = peak
Shilang = Virtuous
Shilendra = Lord of mountains
Shilish = Lord of mountains
Shineyu = Shining
Shinjan = Music of payel
Shipirist = Lord Vishnu
Shirdi Prasad = Sai Babas gift
Shirish = a flower; raintree
Shirom
Shiromani = a jewel worn on the head
Shishir = Name of a season, cold
Shishirchandra = winter moon
Shishirkana = particles of dew
Shishirkumar = the moon
Shishupal = son of Subhadra
Shishul = Baby
Shitiz = Horizon
Shitikanth = Lord Shiva
Shiv = Lord Shiva, auspicious, lucky
Shivadev = Lord of prosperity
Shivam = Auspicious; Lord Shiva
Shivanand = one who is happy in Lord Shiva's thoughts or Shiva's worship
Shivanath = Lord Shiva
Shivank = Mark of Lord
Shivansh = Part of Shiva
Shivas = Lord Shiva
Shivasunu = Lord Ganesh
Shiven = Lord Shiva
Shivendra = Lord Shiva; Lord Indra
Shivendu = Moon
Shivesh = Lord Shiva
Shiveshvar = God of welfare
Shivkumar = son of Lord Shiva (Ganesh, Kartikeya)
Shivlal = Lord Shiva
Shivraj = Lord Shiva
Shivram = Lord Shiva; Lord Ram
Shivshankar = Lord Shiva
Shivshekhar = one at the top of Shiva (moon)
Shlesh = Physical bonding
Shlok = Hymn, Prayer
Shobhan = splendid
Shoor = Valiant
Shoora = Bold. A Name for Lord Hanuman
Shoorsen = brave
Shoubhit = Lord Krishna
Shraunak
Shravan = A Hindu month
Shravana = name of a star
Shravankumar = a character from the epic Ramayana
Shray = Credit
Shree = Mr, God
Shreedhar = husband of Lakshmi
Shreeharsh = god of happiness
Shreekant = an epithet of Vishnu
Shreekrishna = Lord Krishna
Shreekumar, shrikumar = beautiful
Shreeman = a respectable person
Shreepriya = lover of Lakshmee
Shreepushp = cloves
Shreerang = another name of Vishnu
Shreesh = lord of wealth
Shreevallabh = lord of Lakshmi
Shrenik = organised
Shreshta = Lord Vishnu
Shresth = Best of all
Shresthi = Best of all
Shrey = Marevellous
Shreyank = fame
Shreyansh = fame
Shreyas / Sreyas = Superior, fame
Shreyash = Credit with Fame
Shreyovardhana
Shrida = Lord Kuber
Shridhar = Lord Vishnu
Shrigopal = Lord Krishna
Shrihan = Lord Vishnu
Shrihari = Lord Vishnu
Shrikant = Lord Vishnu
Shrikar = Lord Vishnu
Shrikeshav = Lord Krishna
Shrikrishna = lord Krishna
Shrikumar = beautiful
Shrimat = Lord Vishnu
Shrimate = Revered, Lord Hanuman
Shrimohan = Lord Krishna
Shrinand = Lord Vishnu
Shrinath = Lord Vishnu
Shringesh = Lord of pearls
Shriniketan = Lord Vishnu
Shrinivas = lord Vishnu
Shripad = lord Vishnu
Shripadma = Lord Krishna
Shripal = Lord Vishnu
Shripati = Lord Vishnu
Shriram = Lord Rama
Shriranga = Lord Vishnu
Shriranjan = Lord Vishnu
Shrisha = Lord Vishnu
Shrivarah = Lord Vishnu
Shrivardhan = Lord Vishnu; Lord Shiva
Shrivas = Lord Vishnu
Shrivatsa = Lord Vishnu
Shrivatsav
Shriyadita = sun
Shriyans = wealth
Shrot
Shrutakeerti = renowned, reputed
Shrutik

Shu-Shz

Shubendra = Lord of virtue
Shubhang = handsome
Shubhankar = auspicious
Shubhashis = blessing
Shubh = Fortunate
Shubhaksh = Lord Shiva
Shubhan = One who is Auspicious
Shubhasunad
Shubhay = Blessing
Shubhendu = lucky moon
Shubhojit = Handsome
Shubhranshu = the moon
Shubhratho
Shuddhashil = well-born
Shuk = a parrot
Shukla = Lord Shiva; Lord Vishnu
Shukra = resplendent, Venus, Friday
Shuktij = Pearl
Shulabh = Easy
Shulandhar = Lord Shiva
Shulin = Lord Shiva
Shuna = Lord Indra
Shushil = Pleasant
Shvant = Placid
Shvetambar = fair, Shiva
Shvetang = Fair complexioned
Shvetank = Fair complexioned
Shvetanshu = Moon
Shvetavah = Lord Indra
Shwetambar = one who wearswhite clothes
Shwetanshu = moon
Shwetbhanu = moon
Shyam = Dark blue, Krishna
Shyamak = Lord Krishna
Shyamal = Black, dark blue
Shyamantak = Lord Krishna
Shyamsunder = Lord Krishna

Si-Sq

Siamak (Or Shiamak) = "Silver Flame"
Sidak = Wish
Siddak
Siddha = Lord Shiva
Siddhadev = Lord Shiva
Siddhanath = Mahadev (Lord Shiva)
Siddhanta = principle
Siddharth = One who is accomplished, Buddha
Siddhesh = Lord of the blessed
Siddheshwar = Lord Shiva
Siddhraj = Lord of perfection
Siddid = Lord Shiva
Sihaam = arrows
Sikandar = Victorious
Simrit, Smrita = remembered
Sindhu = Lord Vishnu
Sindhunath = Lord of the ocean
Sinha = Hero
Sinhag = Lord Shiva
Sinhvahan = Lord Shiva, one who rides a lion
Siraj = lamp
Sitakanta = lord Rama
Sitanshu = Moon
Sitaram = Sita & Lord Rama
Sitikantha = lord Shiva
Sivanta = lord Shiva
Skand = name of Kartikeya
Smarajit = one who has conquered lust
Smaran = remembrance
Smiren
Smritiman = unforgettable
Sneagen = Friend
Snehakant = Lord of love
Snehal = Friendly
Snehil = lovable
Snithik = Master of justice
Sohal = Soft, delicate
Soham = I am
Sohan = Good looking
Sohil = Beautiful
Sokanathan = Lord Shiva
Soleil = Sun
Som = moon, religious drink
Somadev = Lord of the moon
Somali = Moon's favorite
Somansh = half moon
Somanshu = Moonbeam
Somashekhar = Lord Shiva
Somasindhu = Lord Vishnu
Somendra = another name of Indra
Somesh = Moon
Someshwar = Lord Krishna
Somil = soft natured
Somkar = moon light
Somnath = Lord Shiva
Somprakash = moon light
Sonit = Person with good intentions
Sopaan = stairs, steps
Soumava = Moon's light
Soumil = Friend
Sourabh = fragrance
Souradip = Island of Sunlight
Sourish = Lord Vishnu
Sourja (Shaurya) =Brave
Sparsh = Touch

Sr-St

Sreeghan = Wealthy, rich
Sreevalsan = Loved by Vishnu
Sriashwin = A good ending
Sriansh = born with 'ansh' or part of Lakshmi
Srichaitra = 1st month in Indian calendar, beginning
Sridatta = Given by God
Sridhar = Lord Krishna
Srihith = Will of god
Srijan = creation
Srijesh
Srikant = Lover of wealth
Srikar
Srinesh
Srinish
Srinivas = Abode of wealth
Sriram = Lord Rama
Srivant
Srivar = Lord Vishnu
Srivatsav = Disciple of God
Stavya = Lord Vishnu
Sthavir = Lord Brahma
Sthir = Foccused
Stotri = Lord Vishnu

Sua-Suj

Subaahu = strong armed
Subal = Lord Shiva
Subali = Strong
Subandhu = a good friend
Subeer = Courageous
Subeesh
Subhadr = gentleman
Subhag = fortunate
Subhan = aware
Subhang = Lord Shiva
Subhas = shining
Subhash = Soft spoken
Subhendu = Moon
Subhradip
Subinay = humble
Subodh = Sound advice
Subrahmanya, Subramani = Lord Murugan
Subratah
Suchendra = Lord of piousness
Suchet = Attentive; Alert
Suchin = Means a Beautiful Thought
Suchir = Eternal
Suchit = Person with a sound mind
Sudalai = Village God
Sudama = Meek
Sudarshan = Good looking
Suday = Gift
Sudeep = Illumined
Sudeepta = bright
Sudesha = Good country
Sudev = good diety
Sudeva = Good Deva
Sudhakar = Mine of nectar
Sudhamay = full of nectar
Sudhang = Moon
Sudhanshu = Moon
Sudhanssu = moon
Sudhanvan = Lord Vishnu
Sudhendra = Lord of nectar
Sudhindra = Lord of knowledge
Sudhir = Resolute, brave
Sudhish = Lord of excellent intellect
Sudhit = Kind
Sudin
Sudip = Bright
Sudir = Bright
Sugandh = sweet smelling, fragrance
Sugata = a name of the Buddha
Sughosh = one with melodious voice
Sugriva = One with graceful neck
Suhas = Laughter
Suhrit = well-disposed
Suhruda = Good hearted
Sujal = Affectionate
Sujan = honest
Sujash = illustrious
Sujat = belonging to a good clan
Sujay = victory
Sujendran = Universal being
Sujetu
Sujit = Victory

Suk-Suq

Suka = Wind
Sukant/Sukanta = handsome
Sukarma = one who does good deeds
Sukarman = reciter of 1000 Samhitas
Sukumar = tender
Suketu = of good banner, flag
Sukhajat = Lord Shiva
Sukhakar = Lord Rama
Sukhamay = pleasurable
Sukhashakt = Lord Shiva
Sukhdev = God of happiness
Sukhesh = Lord of happiness
Sukhwant = full of happiness, pleasant
Sukrant = extremely beautiful
Sukrit = wise
Sukumar = Handsome
Sukumara = "Very tender, very delicate"
Sukumaran = A variation of the name Sukumara
Sulabh = easy to get
Sulalit = Graceful
Sulek = Sun
Suloch = Beautiful eyes
Sulochan = one with beautiful eyes
Sumadhur = very sweet
Suman = flower
Sumangal = very auspicious
Sumant = Friendly
Sumantu = Atharva Veda was assigned to him
Sumanyu = heaven
Sumati
Sumatinath = Lord of wisdom
Sumay = Wise
Sumed = Wise
Sumedh = clever
Sumeer
Sumeet = Friendly
Sumeru = Lord Shiva
Sumesh
Sumiran
Sumit = Well measured
Sumitr = good friend
Sumitranandan = sons of Sumitra (Lakshman & Shatrughna)
Sumukh = Lord Shiva
Sunand = pleasant
Sunam = good name (fame)
Sunandan = happy
Sunar = Happy
Sunashi = Lord Indra
Sunay = Wise
Sunchit
Sundar = Beautiful
Sundara
Sunder = Handsome
Suneet = Lord Shiva; Righteous
Sunil = Dark blue
Sunirmal = pure
Sunjeev = Making alive
Suparn = Lord Vishnu
Supash = Lord Ganesh
Suprabhaat = good morning
Suprakash = manifested
Suprasanna = Ever Cheerful and beaming. Goddess Lakshmi
Supratik = Lord Shiva
Supratim = excellent
Supreet
Suprit = loving

Sur-Suz

Sur = a musical note
Suradhish = Lord Indra
Suradip = Lord Indra
Suragan = Lord Shiva
Suraj = Sun
Surajit = god
Surajiv = Lord Vishnu
Suram = Beautiful
Suran = Pleasant sound
Suranjan = pleasing
Surarihan = Lord Shiva
Suras = juicy
Surath
Surbhup = Lord Vishnu
Surdaas = servant of musical tunes
Surdeep = lamp of music
Suren = Lord Indra
Surendra = Lord Indra
Suresh = Sun
Sureshwar = Lord of The Gods
Suri = Lord Krishna
Surjeet = conquerer of the suras
Surnath = Lord Indra, lord of suras
Surshri
Surup = Lord Shiva
Surush = Shining
Suryaansh
Surya = Sun
Suryabhan = the sun
Suryadev = Sun God
Suryakant = Loved by the sun
Suryanshu = Sunbeam
Suryaprakash = sunlight
Suryashankar = lord Shiva
Suryesh = Sun Is God
Susadh = Lord Shiva
Susan = Lord Shiva
Susen = Lord Vishnnu
Sushant = Quiet
Sushen = son of Vasudeva
Susher = Kind
Sushil = Good charactered man
Sushim = Moonstone
Sushobhan = very beautiful
Sushrut = of good reputation
Susil
Sutantu = Lord Shiva; Lord Vishnnu
Sutapa = seeker of god
Sutara = holy star
Sutej = lustre
Sutirth = Lord Shiva
Sutosh = one who becomes happy easily
Sutoya = A river
Suvan = the sun
Suvarn = Lord Shiva
Suvas = Lord Shiva
Suvel = Placid
Suvidh = Kind
Suvimal = pure
Suvir = Lord Shiva
Suvrata = Strict in religious vows (Subrata)
Suyamun = Lord Vishnu
Suyati = Lord Vishnu
Suyash = illustrious

Sv-Sz

Svamin = Lord Vishnu
Svaminath = Lord Ganesh
Svang = Good looks
Svanik = Handsome
Svar = Lord Vishnu
Svaraj = Lord Indra
Svarg = Heaven
Svarna = Lord Ganesh
Svarpati = Lord of sound
Svayambhu = Lord Brahma; Vishnu; Shiva
Svayambhut = Lord Shiva
Swadhin = Independent and Free
Swagat = Welcome
Swajith = Self made Victory
Swami = Lord
Swaminath = the lord almighty
Swapan = dream
Swapnesh = king of dreams
Swapnil = Seen in a dream, dreamy
Swaraj = Liberty, freedom
Swarit = towards heaven
Swarnim = golden
Swarnapurishwara = Lord of the Golden City
Swarup = truth
Swastik = Auspicious
Swatantar = Independent and Free
Swayambhu = self existent
Swetaketu = an ancient sage
Swetank = fair bodied
Swethan = The one who has learnt all Vedas
Syamantak = a jewel of lord Vishnu
Syon = Gentle
Syum = A ray

fly