Xu Hướng 12/2023 # Word Macro Examples & Vba Tutorial # Top 15 Xem Nhiều

Bạn đang xem bài viết Word Macro Examples & Vba Tutorial được cập nhật mới nhất tháng 12 năm 2023 trên website Hoisinhvienqnam.edu.vn. Hy vọng những thông tin mà chúng tôi đã chia sẻ là hữu ích với bạn. Nếu nội dung hay, ý nghĩa bạn hãy chia sẻ với bạn bè của mình và luôn theo dõi, ủng hộ chúng tôi để cập nhật những thông tin mới nhất.

This page contains:

Word VBA Tutorial PDF (Free Download)

Word VBA “Cheat Sheet” containing a list of the most commonly used Word VBA code snippets

Full Word VBA / Macro tutorial.

Searchable list of all of our Word VBA Macro Tutorials

You might also be interested in our Interactive VBA Tutorial for Excel. While some of the examples / exercises are specific to Excel VBA, much of the content is generic to all VBA and you may find it useful to learn concepts like If Statements, Loops, MessageBoxes, and more.

Download our free Microsoft Word VBA Tutorial! Or VBA Tutorials for other Office Programs!

Below you will find simple VBA code examples for working with Microsoft Word.

Select / Go To Word VBA Macro Tutorial

This is a tutorial for using VBA with Microsoft Word. This tutorial will teach you how to write a simple Macro and interact with Documents, Ranges, Selections, and Paragraphs.

Note: If you’re brand new to Macros / VBA you might also find this article useful: How to write VBA Macros from Scratch.

VBA is the programming language used to automate Microsoft Office programs including Word, Excel, Outlook, PowerPoint, and Access.

Macros are blocks of VBA code that perform specific tasks.

This is a simple example of a Word VBA Macro. It performs the following tasks:

Opens a Word Document

Writes to Document

Closes and Saves the Word Document.

Word Macro Basics

All VBA code must be stored within procedures like this. To create a procedure in VBA type “Sub WordMacroExample” (Where “WordMacroExample” is your desired Macro name) and press ENTER. VBA will automatically add the parenthesis and End Sub.

When interacting with Microsoft Word in VBA, you will frequently reference Word “Objects”. The most common objects are:

Application Object – Microsoft Word itself

Document Object – A Word document

Range Object – A part of a Word document

Selection Object – A selected range or cursor location.

Application is the “top-level” object. All other objects in Word can be reached through it.

In addition to accessing other Word objects, there are “application-level” settings that can be applied:

This is an example of accessing the “Selection” of “Windows(1)” with in the Application:

However, the most common Word objects can be accessed directly, without typing the full hierarchy. So instead, you can (and should) just type:

ActiveDocument

Often, you will have two or more documents opened in Word and you will need specify which specific Word Document to interact with. One way to specify which document is to use ActiveDocument. For example:

…would print the ActiveDocument. The ActiveDocument is the document in Word which “has focus”

To switch the ActiveDocument, use the Activate command:

ThisDocument

Instead of using ActiveDocument to reference the active document, you can use ThisDocument to reference the document where the macro is stored. ThisDocument will never change.

Document Variables

However, for more complicated macros, it can be hard to keep track of the Active Document. It can also be frustrating to switch back and forth between documents.

Instead, you can use Document variables.

This macro will assign the ActiveDocument to a variable and then print the document using the variable:

Document Methods

To Open a Word Document:

We recommend always assigning a Document to a variable upon opening it:

To create a new Word Document:

We can instruct Word to create a new doc based on some template:

As always, it is useful and huge problem saver to assign document to variable upon creating or opening:

To save a document:

or SaveAs:

To close a Document and save changes:

or without saving changes:

This will print the active Document:

Range, Selection, Paragraphs

and are probably the most important objects in Word VBA, certainly the most used.

Range refers to some portion of document, usually, but not necessarily, text.

Selection refers to selected text (or other object like pictures) or, if nothing is selected, an insertion point.

Paragraphs represent paragraphs in document. Its less important than it sounds, because you can’t directly access paragraph text (you need to access particular paragraph range to make modifications).

Range can be any part of document, including entire document:

or it can be small as one character.

Another example, this range would refer to first word in document:

Usually, you would want to get range which refers to specific part of document and then modify it.

In the following example we will make the first word of second paragraph bold:

Set Range Text

To set the text value of a Range:

(Tip: Note the space after “Hello”. Because word object includes space after word, with just “hello” we would get “Hellonext word”)

There are hundreds of things which you can do with ranges. Just a few examples (these assume you are already made object variable oRange referring to range of interest):

Change font Display in message box number of characters in particular range Insert some text before it Add a footnote to range Copy it to clipboard

After above code, oRange would refer to text starting with fifth and ending with 50th character in document.

Selection is even more widely used than Range, because it is easier to work with Selections than Ranges, IF your macro ONLY interacts with the ActiveDocument.

First select the desired part of your document. For example select the second paragraph in active document:

Then you can use the Selection Object to type some text:

We can type some paragraphs bellow “Some text”:

Often, it’s necessary to know if some text is selected or we have just a insertion point:

When working with Selection object we want to place insertion point to particular place, and issue commands starting from this point.

Beginning of document: Beginning of current line:

The Extend parameter wdMove moves the insertion point. Instead, you could use wdExtend which will select all text between the current insertion point.

Move Selection

The most useful method for changing position of insertion point is Move. To move Selection two characters forward:

to move it backwards, use negative number for Count parameter:

Unit parameter can be wdCharacter, wdWord, wdLine, or more (use Word VBA help to see others).

To move words instead:

Selection is easier to work with (compared to ranges) because it is like a robot using Word, mimicking human user. Where Insertion point is – some action would take place. But, this means that you must take care where insertion point is! This is not easy after many steps in code. Otherwise, Word would change text in not desired place.

In the case you need some property or method not available in Selection object you can always easily obtain range associated with selection:

TIP: Using Selection is often easier than using ranges, but also it’s way slower (important when you deal with big documents)

Paragraphs

You can’t directly use Paragraphs object to change text:

Above wouldn’t work (actually it will throw an error). You need to first obtain range associated with particular paragraph:

But you can directly change its style:

or change its paragraph level formatting:

or maybe you want to keep this paragraph on the same line with next paragraph:

Make paragraph centered:

It is VERY useful to assign a particular paragraph to object variable. If we assign particular paragraph to variable we don’t have to worry if the first paragraph becomes the second because we inserted one paragraph before it:

Here is an example where we insert a paragraph above the first paragraph, but we can still reference the old first paragraph because it was assigned to a variable:

Paragraph object is very frequently used in loops:

Word VBA Tutorial Conclusion

This tutorial covered the basics of Word VBA. If you’re new to VBA, you should also review our general VBA Tutorial to learn more about Variables, Loops, MessageBoxes, Settings, Conditional Logic and much more.

Word Macro Examples PowerPoint VBA FAQs What is a Word Macro?

A Macro is a general term that refers to a set of programming instructions that automates tasks. Word Macros automate tasks in Word using the VBA programming language.

Does word have VBA? How do I use VBA in Word?

Parse Word Document Using Apache Poi Example

In this article we will be discussing about ways and techniques to read word documents in Java using Apache POI library. The word document may contain images, tables or plain text. Apart from this a standard word file has header and footers too. Here in the following examples we will be parsing a word document by reading its different paragraph, runs, images, tables along with headers and footers. We will also take a look into identifying different styles associated with the paragraphs such as font-size, font-family, font-color etc.

Maven Dependencies

Following is the poi maven depedency required to read word documents. For latest artifacts visit here

chúng tôi

&ltdependencies&gt &ltdependency&gt &ltgroupId&gt

org.apache.poi

&lt/groupId&gt &ltartifactId&gt

poi-ooxml

&lt/artifactId&gt &ltversion&gt

3.16

&lt/version&gt &lt/dependency&gt &lt/dependencies&gt Reading Complete Text from Word Document

The class XWPFDocument has many methods defined to read and extract .docx file contents. getText() can be used to read all the texts in a .docx word document. Following is an example.

TextReader.java

public class

TextReader {

public static void

main(String[] args) {

try

{ FileInputStream fis =

new

FileInputStream(

"test.docx"

); XWPFDocument xdoc =

new

XWPFDocument(OPCPackage.open(fis)); XWPFWordExtractor extractor =

new

XWPFWordExtractor(xdoc); System.

out

.println(extractor.getText()); }

catch

(Exception ex) { ex.printStackTrace(); } } } Reading Headers and Foooters of Word Document

HeaderFooter.java

public class

HeaderFooterReader {

public static void

main(String[] args) {

try

{ FileInputStream fis =

new

FileInputStream(

"test.docx"

); XWPFDocument xdoc =

new

XWPFDocument(OPCPackage.open(fis)); XWPFHeaderFooterPolicy policy =

new

XWPFHeaderFooterPolicy(xdoc); XWPFHeader header = policy.getDefaultHeader();

if

(header !=

null

) { System.

out

.println(header.getText()); } XWPFFooter footer = policy.getDefaultFooter();

if

(footer !=

null

) { System.

out

.println(footer.getText()); } }

catch

(Exception ex) { ex.printStackTrace(); } } }

Output

This is Header

This is footer

Read Each Paragraph of a Word Document

Among the many methods defined in XWPFDocument class, we can use getParagraphs() to read a .docx word document paragraph chúng tôi method returns a list of all the paragraphs(XWPFParagraph) of a word document. Again the XWPFParagraph has many utils method defined to extract information related to any paragraph such as text alignment, style associated with the paragrpahs.

To have more control over the text reading of a word document,each paragraph is again divided into multiple runs. Run defines a region of text with a common set of properties.Following is an example to read paragraphs from a .docx word document.

ParagraphReader.java

public class

ParagraphReader {

public static void

main(String[] args) {

try

{ FileInputStream fis =

new

FileInputStream(

"test.docx"

); XWPFDocument xdoc =

new

XWPFDocument(OPCPackage.open(fis)); List paragraphList = xdoc.getParagraphs();

for

(XWPFParagraph paragraph : paragraphList) { System.

out

.println(paragraph.getText()); System.

out

.println(paragraph.getAlignment()); System.

out

.print(paragraph.getRuns().size()); System.

out

.println(paragraph.getStyle());

// Returns numbering format for this paragraph, eg bullet or lowerLetter.

System.

out

.println(paragraph.getNumFmt()); System.

out

.println(paragraph.getAlignment()); System.

out

.println(paragraph.isWordWrapped()); System.

out

.println(

"********************************************************************"

); } }

catch

(Exception ex) { ex.printStackTrace(); } } } Reading Tables from Word Document

Following is an example to read tables present in a word document. It will print all the text rows wise.

TableReader.java

public class

TableReader {

public static void

main(String[] args) {

try

{ FileInputStream fis =

new

FileInputStream(

"test.docx"

); XWPFDocument xdoc =

new

XWPFDocument(OPCPackage.open(fis)); Iterator bodyElementIterator = xdoc.getBodyElementsIterator();

while

(bodyElementIterator.hasNext()) { IBodyElement element = bodyElementIterator.next();

if

(

"TABLE"

.equalsIgnoreCase(element.getElementType().name())) { List tableList = element.getBody().getTables();

for

(XWPFTable table : tableList) { System.

out

.println(

"Total Number of Rows of Table:"

+ table.getNumberOfRows());

for

(

int

i = 0; i for (

int

j = 0; j out.println(table.getRow(i).getCell(j).getText()); } } } } } }

catch

(Exception ex) { ex.printStackTrace(); } } } Reading Styles from Word Document

Styles are associated with runs of a paragraph. There are many methods available in the XWPFRun class to identify the styles associated with the text.There are methods to identify boldness, highlighted words, capitalized words etc.

StyleReader.java

public class

StyleReader {

public static void

main(String[] args) {

try

{ FileInputStream fis =

new

FileInputStream(

"test.docx"

); XWPFDocument xdoc =

new

XWPFDocument(OPCPackage.open(fis)); List paragraphList = xdoc.getParagraphs();

for

(XWPFParagraph paragraph : paragraphList) {

for

(XWPFRun rn : paragraph.getRuns()) { System.

out

.println(rn.isBold()); System.

out

.println(rn.isHighlighted()); System.

out

.println(rn.isCapitalized()); System.

out

.println(rn.getFontSize()); } System.

out

.println(

"********************************************************************"

); } }

catch

(Exception ex) { ex.printStackTrace(); } } } Reading Image from Word Document

Following is an example to read image files from a word document.

public class

ImageReader {

public static void

main(String[] args) {

try

{ FileInputStream fis =

new

FileInputStream(

"test.docx"

); XWPFDocument xdoc =

new

XWPFDocument(OPCPackage.open(fis)); List pic = xdoc.getAllPictures();

if

(!pic.isEmpty()) { System.

out

.print(pic.get(0).getPictureType()); System.

out

.print(pic.get(0).getData()); } }

catch

(Exception ex) { ex.printStackTrace(); } } } Conclusion Download source

50 Words That Start With Z – Definitions & Examples

Do you want to create a zesty meal from scratch? Do you want to become a zany person? Or are you planning to take a trip to your local zoo? If you want to do any of these things, you’ll need to use words that start with Z!

This may sound easy enough, but Z is actually one of the least common letters in the English language. This means that it appears at the beginning of far fewer words than consonants like R, T, or N. Statistically, this also means that both native and non-native speakers are less likely to use or even know words that start with Z. So, to help you expand your vocabulary and learn some new words, we’ve provided you with a master list of 50 words that start with Z. Let’s get started!

50 Words That Start With Z and Definitions

Since you can divide words by meaning, length, and part of speech, we will try to keep this list as simple as possible. First, we will begin with positive words that start with Z. So, if you’re looking for positive ways to describe things with the letter Z, keep reading!

Positive words that start with Z

Using positive words is a great way to make friends and generally keep everyone happy! However, since it is one of the least common letters in the alphabet, there simply aren’t that many positive words that start with Z. Nonetheless, here are a few words that you can sprinkle into your next English conversation to keep things light and friendly!

Zany

adjective

– Amusingly unusual or uncommon in behavior or appearance.

My sister entertains her classmates with her zany personality.

Zealous

adjective

– Passionate or enthusiastic.

I’ve always been zealous in my studies.

Zesty

adjective

–  Exciting and full of energy (describing people); having a strong, spicy, or pleasant flavor (describing food).

My favorite meal is a zesty chicken curry.

Zestful

adjective

– Having a lot of energy or enthusiasm.

I returned home to a zestful greeting from my dog.

Zippy

adjective

– Fast or lively.

The zippy little car sped through traffic with ease.

Now that you know a few positive words that start with Z, let’s look at even more words that begin with the last letter of the alphabet! 

Words that start with Za

To keep things easy, we will organize the remainder of this list based on the vowels that follow the letter Z. Each section will contain words that start with Z and a particular vowel. Additionally, each section will begin with 3 letter words that start with Z, going on to 4 letter words that start with Z, 5 letter words that start with Z, and so on!

Zag

noun/verb

– A quick change of direction; to make a quick change of direction.

The cyclist zagged all over the sidewalk.

Zap

noun/verb

– A sudden burst of energy; to completely destroy.

The gamer used his gun to zap all the enemies in his view.

Zarf

noun

– A metal holder for a coffee cup that does not have a handle.

I bought my mother an ornamental zarf for Christmas.

Zappy

adjective

– full of energy.

The musical troupe put on a zappy performance.

The clown zanily slipped on a banana peel.

Zapper

noun

– A remote control; a device for killing insects.

He installed the bug zapper on the front porch to kill all the mosquitos. 

Words that start with Ze

Next up, we have some useful words that start with Ze!

Zen

noun/adjective

– A Japanese school of Buddhism; calmness and tranquility.

I’ve been feeling very Zen lately.

Zeal

noun

– Enthusiasm regarding a specific goal.

His zeal helped him climb the corporate ladder.

Zero

noun/verb

– no quantity; focus on a target.

The supermarket had zero watermelons in stock.

Zebra

noun

– A black-and-white striped horse native to Africa.

A lion chased the zebra across the savannah.

Zenith

noun

– The high point or peak of something.

The business reached its zenith years ago.

Zealot

noun

– A person who is fanatical about their religious or political beliefs.

The religious zealot yelled at passersby.

Zester

noun

– A kitchen utensil for peeling off small shreds of citrus peel.

I need to buy a zester to use with all of these oranges.

She zestily hurried through the streets.

Zealotry

noun

– A fanatical pursuit of religious or political beliefs.

The politician’s zealotry proved to be popular with rural voters.

Zestless

adjective

– Lacking any zest or liveliness.

The dish he served was completely zestless.

Zebrafish

noun

– A freshwater fish native to South Asia.

We saw a school of zebrafish when we went snorkeling.

Zeitgeist

noun

– The general mood of a period of history based on the prevailing beliefs at the time. 

The zeitgeist of the 2010s was one of political division.

Zestiness

noun

– The state of being zesty.

My food had a peculiar zestiness that I found appealing.

Zealousness

noun

– The state of being passionately devoted to something.

The court’s zealousness for law and order had long-lasting consequences.

Words that start with Zi

Now it’s time to look at words that start with Zi!

Zig

noun/verb

– A sharp change in direction; to make a sudden change in direction.

He zigged past the other driver.

Zip

verb

– To close using a zipper; to move quickly.

The man at the airport struggled to zip his bag shut.

Zit

noun

– A pimple.

I always get zits when I’m stressed out.

Zinc

noun

– An essential mineral found in nature.

My doctor says that I need more zinc in my diet.

Zing

noun/verb

– Energy and excitement; to move very quickly.

The couple wanted to add a bit more zing to their marriage.

Zilch

noun

– Nothing.

He was left with zilch after his divorce.

Zigzag

noun/verb

– A line that alternates left and right; to move back and forth quickly.

He zigzagged through traffic to get to the meeting on time.

Zinger

noun

– A funny joke or insult.

The woman was keeping everyone entertained with a series of zingers.

Zillion

noun

– An extremely large quantity.

I have a zillion things to do today.

Zipper

noun

– A device used to close or open bags, clothing, or other items.

The zipper on my jacket broke a week after I bought it.

Words that start with Zo

Up next, we have words that start with Zo!

Zoo

noun

– A space dedicated to the display of wild or exotic animals.

For my last school trip, we went to the local zoo.

Zone

noun

– A specific area of land.

People are required to drive slower in school zones.

Zoom

noun/verb

– A camera shot that transitions from a long-shot to a close-up; to move quickly.

The camera zoomed in on the man’s face.

Zodiac

noun

– An area of the night sky divided into 12 distinct signs, which are commonly associated with the 12 months of the year.

What’s your zodiac sign?

Zombie

noun

– A reanimated corpse; the living dead.

I think zombie movies are really scary!

Zoning

verb/adjective

– The act of dividing space into separate areas; related to the legal or official division of land.

The city officials are rewriting the zoning laws.

Zoology

noun

– The scientific study of animals.

My mother studied zoology in college.

Zoetrope

noun

– An old-fashioned device that creates the illusion of moving images.

Before animated movies came along, people used zoetropes. 

Zookeeper

– noun – A person who attends to animals at a zoo.

The zookeeper was trained to safely feed the lions.

Words that start with Zu

Our lists are starting to get very short! Now we have just three words that start with Zu!

Zucchini

noun

– A variety of summer squash.

I like to eat fried zucchini, but my sister hates it.

Zulu

noun

– A language originating in South Africa; a 19th-century African empire.

Today, over nine million people speak some form of Zulu. 

Just when he thought he was about to win, the player found himself in a zugzwang.

Words that start with Zy

Finally, we have just three more words that start with Zy!

Zyme

noun

– A chemical substance that produces a change in other substances.

Many zymes are found in both humans and animals.

Zygote

noun

– A fertilized egg cell.

A zygote can eventually become an embryo.

Zymology – The scientific study of fermentation.

Zymology is a subject that focuses on enzymes.

Conclusion

We hope you enjoyed this list of 50 words that start with Z! While some of these words may be tricky to place in everyday conversation, others will make a great addition to your working vocabulary. So, don’t be afraid to feel zealous and get in the zone as you zigzag through your next English conversation! 

As always, for all things English conversation, grammar, or job-related, visit Magoosh Speaking today!

Words To Describe Yourself In An Interview (40+ Examples)

Hopefully, you are reading this before your interview and not dwelling on the questions you may or may not have answered correctly!

Maybe you’re searching for all the help you can get online before your next big interview.

Either way, being asked to describe yourself is a very common interview question.

There are people who can talk about themselves all day.

In this video, we take a deep dive into some of the best (and worst) words to describe yourself in an interview!

Keep reading and we’ll share some great words to describe yourself and more importantly, sample answers to back those words up.

Below are some good, bad, and controversial words to describe yourself. If you just came here looking for some keywords, this is for you.

If your goal is to absolutely blow someone away in an interview, these keywords alone won’t get you far.

More important than the keywords is the story and supporting evidence that you can provide. Keep reading and we’ll show you exactly how to do this.

Let’s say you can think of a handful of good words on the spot.

Or maybe you’re unsure if the words you think of are any good.

Whatever you do, try to avoid simply listing descriptive words.

Rather, give a short story to support your claim.

Below is a list of appropriate answers to the interview question, “Can you describe yourself in 5 words?”

Diligent / Loyal / Reliable

I am always the first person that my friends call because they know I am always there for them. Night or day, I make sure to take care of the people in my life. I put the same effort into making sure my work is done correctly, and I am always available to help my team members.

Creative / Innovative / Visionary

I love trying new things, creating new methods, and introducing new ideas. In my previous job, I was responsible for selling waterproof phones. One day, I brought in a clear container filled with water to demo the waterproof phones. We made underwater videos and the phone still worked. Once my manager found out, he made this a mandatory practice for all 150 locations.

Motivated / Ambitious / Leader Honest / Ethical / Conscientious

Ever since I was a little kid I have tried to stay ethical. I remember one time I found six Disneyland tickets and $200 cash in an envelope. I turned the envelope into the store where I found it. My honesty paid off when no one came to claim it and I was able to keep the content.

Friendly / Personable / Extrovert

I’ve always enjoyed meeting new people and maintaining a lot of relationships. I’m your typical extrovert which has really helped me in my career. My natural networking abilities have allowed me to excel in sales roles such as this one.

It is important to think of relevant explanations that also align with the job you are interviewing for.

Be strategic.

There may be 50 words to describe yourself.

However, pick the ones that will be valued most for the position at hand.

Tell them how these words apply to your life and give an example that backs it up.

This may be difficult for those who are shy and have problems opening up, but this is a great life skill.

Don’t be afraid to think about your answer ahead of time so you can shine your character in the best possible light.

Try to avoid general verbiage when you describe yourself.

Some bad words to describe yourself that lack substance include:

Don’t get us wrong, these are positive traits.

They are also very general traits.

That’s why everyone uses them.

These words might describe you, but it could also be assumed in any candidate and will come across as boring.

Think of how many people are going to give these basic answers.

Don’t be like them!

Set yourself apart from the masses and provide truthful character traits that will resonate with the interviewer.

Also, make sure to avoid words that one can perceive as negative such as:

Choose words that can only leave a positive impression.

The goal is to avoid the generic and anything that can come off as negative.

Never, ever, ever say, “I don’t know,” in response to this question!

If you don’t know how to describe yourself, then what else don’t you know?

In other words, it leaves a bad impression.

What leaves a good impression?

Giving a cool, calm, and confident response.

This type of response gives the hiring manager the impression that you are the type of person who comes prepared.

And this can only work in your favor.

Just one reason why it helps to prepare your responses ahead of time!

The best way to prepare for this question is just that.

Prepare!

If you are able to successfully describe yourself in 5 words, you will come off as a confident and capable candidate.

Nobody knows you better than yourself so all you have to do is put it into words!

However, if you really need help thinking of words that describe you, consider asking some friends or family members.

If you are at a loss trying to figure out which words describe you, ask the people who know you best.

Simply text, call, or email a few friends and family members asking “What do you think are words that describe me?”

By asking others what words can be used to describe you (and eliminating the not-so-positive words they might use), you will have a great starting place to come up with your more detailed and descriptive answer for the interview.

If you are interested in taking your interview game to the next level, it’s time to hire an interview coach.

Interview coaches are trained professionals who know what hiring managers want.

Investing in an interview coach can make the difference in landing the job, or coming in second.

Check out our list of the best interview coaching services around.

Good luck! You are going to do great.

Cv Resume Templates Examples Doc Word Download

How to write a professional and effective CV (or a Resume)?

Spend more time than you originally expected to create a professional CV. Every element of your CV needs to be worked out so that you can be remembered by your employer. As a result, your document can be distinguished from other applications, and this may be an opportunity to pass to the next stage of recruitment.

How to start writing a CV (or a Resume)? Read the job offer carefully!

In every official recruitment process, or at least the vast majority, the candidate is required to send a CV. Based on the information contained therein, the employer or HR specialist checks whether the candidate meets the specified requirements, and if so, the person is invited to an interview. After this stage of the recruitment process, a decision is taken to recruit the candidate. The sectors and jobs are different and therefore the requirements for candidates vary. Why do I mention this and why is it so important? I wanted to remind you that there is no single template, no single universal document, no CV template designed and adapted for all jobs. The CV is the answer to a specific job offer. Remember to adjust your CV to the chosen job offer.

How to do that? Compare the required competences to your skills. If the requirements and your competences coincide, that means only one thing, you are the right person for the job. Use similar vocabulary, phrases from the job offer while writing your CV, it will make you well understood and appreciated as their perfect candidate. Your CV should be consistent. Your experience, skills and interests must be compatible with each other. What else can you do? Even if there is no direct request in the job offer, consider writing a cover letter. Attach a cover letter to your CV template (we have ready-to-use templates, general examples for selected positions.

The right CV (or Resume) format, professional CV template – what to choose?

Most CV templates can be divided into three main categories. Classic, modern and creative templates.

Modern templates are a good choice for all those who want to show that they are up to date with new trends. A modern CV / Resume is an ideal choice for all IT professions (programmers, network administrators). It is also a good option for managers, traders, analysts.

The most important clues:

Download a CV template suitable for your sector (we have prepared classic, modern and creative examples for you to download).

You must know that a recruiter spends an average of 7 seconds reviewing a CV, that’s not much time, so type the most important information on the first page of the document, because if the employer does not find interesting information on the first page, you can be sure that they will not look at the second page.

The candidate’s photograph, yes I know in the UK, USA, Canada or Australia we do not add a photo to the Resume, but in other countries the regulations are different. According to the administrators of LinkedIn, a profile with a candidate’s photo is more trustworthy and people who have published their photo receive more offers to cooperate. The same dependence applies to application documents.

Write only the relevant information in the document, appropriate to the specific job. Add information that adds value to your professional profile or is interesting for your future employer. Develop the Career Summary section – the reader’s attention will focus on the content of this section first. Use listed information in your professional skills and experience, this form will make your CV more transparent.

Always post information in reverse chronological order, i.e. add the latest experience at the top of the section (as in our sample CV templates, which you can download from the site for free). Write briefly and about yourself (you will tell more about you during the interview), make your CV powerful and short. You have a hobby that interacts with the job, great, write about your interests in your CV. The hobby works well for candidates with little professional experience. Remember, do not add any interests to your CV that may lead to embarrassing questions.

Avoid creating large blocks of text, make the space between the sections to make your document more transparent and legible.

Before sending your CV to your employer, save your document in PDF format (you have this option in Microsoft Word or use the free online CV wizard). The PDF format ensures that the recipient receives the document exactly as you saved it.

Improve your chances of finding a job, prepare a CV that distinguishes itself from other documents. Remember that a good CV format is not everything, the most important thing is the CV content. I will use a metaphor here. The content, not the cover, decides whether a book is good, while a good cover may make you want to pick up such a book in a bookstore.

Remember the appropriate name of the file/document, use your first and last name (separated by dashes or underlining sign) e.g. Donald_Smith.pdf

Should the graphic form be used in the CV / Resume to present information about the candidate?

Did you know that the graphic presentation reaches the reader much faster and more precisely than the text. 1/10 of a second – that’s exactly what the reader needs to understand the graphic message (it’s much faster if we use the text). The right colours can raise the reader’s interest in this part of the application even by 80 percent. The graphic form of presentation of skills will work well for creative positions such as IT graphics, or in the IT sector such as the position of a developer.

Word Of Mouth Marketing In 2023: Effective Strategies + Examples

Finding new ways to generate ecommerce sales is getting tougher.

Competition is fierce. And simply having a presence and a nice looking web store is no longer enough to make you stand out.

But there’s one powerful area that tends to get neglected by ecommerce businesses:

Word of mouth marketing (or WOMM).

What is Word of Mouth Marketing?

Traditionally, word of mouth marketing was spread from one person to another based on recommendation.

Modern word of mouth marketing describes both targeted efforts and naturally occurring instances where users share their satisfaction with a brand.

Many best practices and marketing tactics encourage natural word of mouth, but campaigns – particularly on social media – can have the explicit aim of promoting an online business’ social exposure.

In the International Journal of Market Research, M. Nick Hajili wrote:

“Trust, encouraged by social media, significantly affects intention to buy. Therefore, trust has a significant role in ecommerce by directly influencing intention to buy and indirectly influencing perceived usefulness.”

Organic Word of Mouth vs. Amplified Word of Mouth:

The two have inherent overalps — and over a good WOM marketing strategy will cause icnreased organic WOM. Vice versa, if you already have a decent amount of organic WOM, your WOMM campaugns will be much more successful.

These two types of WOMM are called and defined as:

Amplified word of mouth: Amplified WOM occurs when marketers launch campaigns designed to encourage or accelerate WOM in existing or new communities.

Word of Mouth Marketing Statistics

Beyond friends and family, 88% of people trust online reviews written by other consumers as much as they trust recommendations from personal contacts.

And 74% of consumers identify word of mouth as a key influencer in their purchasing decisions.

But only 33% of businesses are actively seeking out and collecting reviews.

Despite that fact that a little, can do a lot. When specific case studies were analyzed, researchers found a 10% increase in word-of-mouth (off and online) translated into a sales lifts between 0.2 – 1.5%.

So in this post we go into full detail on the subject:

What it takes to make word of mouth marketing work.

Specific strategies (with real-life examples) for setting up a steady flow of referral customers.

Why Care About Word of Mouth Marketing?

Tactics such as setting up a cool social media ad or experimenting with AI in ecommerce may sound more exciting (and like quicker wins).

The Advantages of Word of Mouth Marketing:

Build a community not a commodity: Word of mouth marketing works to build an engaged fan base rather than a buy and bolt customer. Higher engaged customers buy more often and recommend their friends more often, extended your return on time spent on the strategy and generating a high customer lifetime loyalty.

More funding, more freedom: Brands with high customer lifetime loyalty and therefore repeat purchases receive more angel and venture funding. Why? Because CAC to LTV, or Customer Acquisition Cost to Lifetime Value, is considered one of the most important aspects of a healthy business model in the early days of a company’s lifecycle.

In fact, there are three crucial factors a quality WOM marketing strategy can affect:

1. Brand loyalty.

According to the National Law Review, it can cost five times more to acquire a new customer than keep a current one.

And Bain & Co estimate that a 5% increase in customer retention can boost a company’s profitability by 75%.

And think about this:

All of a sudden you’ve got a machine that’s pumping out new customers who are all loyal to your brand.

2. Brand trust.

In other words:

Word of mouth marketing means your brand is being recommended in the most trustworthy context possible. And first time browsers are much more likely to take that crucial extra step of handing over their payment details.

3. Creating a buzz.

It’s great to have ad budgets and perfect sales funnels. But the only way to create a genuine buzz about your brand is to have impartial people shouting about you in the media and on social networks.

And a good word of mouth marketing strategy severely increases the likelihood of this happening.

Impress the right person and you might even end up getting featured in something like the New York Times.

Next thing you know, Beyonce is knocking down their door to get a custom collaboration.

The collaboration made national headlines, including:

For Flash Tattoos, sales increased 1,100% following the collaboration.

Paid acquisition through channels such as Facebook, Instagram and Google have become significantly more competitive, which is putting increasing pressure on brands’ gross margins (when considering customer acquisition costs).

Brands thus have to focus on alternative marketing tactics, which have more cost-efficient unit economics and simply requires less of a monetary investment.

One of the best recent examples is Patagonia’s “The President Stole Your Land” campaign. Their tweet about this got more than 60,000 retweets. The overall campaign, which Patagonia targeted at their own customers, generated worldwide publicity and contributed greatly to their marketing efforts.

– Adii Pienaar, High King of Ecommerce, Conversio

Create An Epic Experience First

There’s one thing to make sure of before doing anything else before creating effective word of mouth marketing strategies:

That you’re already creating an epic customer experience.

Trying to get people to refer their friends and family to your business is almost impossible if they had a poor experience. Even with an average one it’s difficult.

You could even do the opposite and spark up a whirlwind of negative publicity.

And with 65% of consumers having cut ties with a brand over just a single poor encounter, it’s more important than ever to create that amazing experience.

Here are a few things you can do to make sure that happens:

WOM is Built-In Trust

People who arrive by other channels, by contrast, might know nothing about your store and have to be convinced first. Their levels of ‘trust’ are lower and conversions are correspondingly lower too.

In addition, if someone has had a good experience with your company and passes this message along they are also likely to point out helpful tips (i.e. be sure to pick up your discount coupon, or log in to get a free gift, etc) that make your offering more attractive to that person BEFORE they have even visited the site.

Word of mouth customers come with built in levels of trust and confidence that other channels don’t.

– David Mercer, Founder, SME Pals

1. Sell quality products.

It’s impossible to create a positive experience if what you sell just isn’t up to scratch.

Your business will fast become more about managing returns than anything else.

So being able to source and sell quality products is crucial.

Take a look at the negativity caused in this TripAdvisor review:

Yet their product (the food) and overall experience for the customer was totally lacking.

A poor review and a customer likely to spread plenty of negative word of mouth.

Create Good Products to Get Good Profit

Creating a great and personal experience around a high quality product can lead to all sorts of virality – online and offline.

The reverse is true as well.

If you treat customers poorly or sell lousy products, people will know and tell other to stay away. And because of social media, they can influence not only their friends but also friends of friends and beyond.

– Josh Mendelsohn, VP, Privy

2. Seamless order process and site UX.

According to justuno, 93% of consumers consider visual appearance to be the key deciding factor in a purchasing decision.

And a Forrester report claims better UX design could increase conversion rates by up to 400%.

Bottom line:

A great example of this is the Carolina Panthers online shop.

They used BigCommerce to redesign their site to look amazing and be easy-to-use across all devices:

83% increase in mobile conversions

37% increase in overall conversions

16% decline in bounce rate.

A recent Loqate report claims that 49% of consumers would shop online more if they felt more confident about delivery and 57% are reluctant to use a retailer again if delivery is late.

So running a tight operation after a sale’s been made is crucial.

It’s hard to provide that positive, referrable experience while carrying around a reputation for backorders and order mishaps.

This means having bulletproof processes in place to perfectly manage your inventory without overselling and a seamless fulfillment system to ensure on-time deliveries.

While also being super speedy in responding to and resolving any mishaps that do occur.

Of course, there’s no one way of doing this.

Every customer interaction is different – but should be treated as an opportunity to impress.

It’s about being in the mindset of striving for excellence in every situation and always putting the customer first.

Zappos are the absolute masters of this. In fact, their CEO Tony Hsieh has regularly described them as a “service company who happen to sell shoes”.

The internet is filled with a multitude of what can be seen as small, yet powerful stories about how Zappos creates wow experiences for customers every single day.

They’ve even started turning them into cool promotional videos:

Ideas For Building Your Word of Mouth Marketing Strategy

Creating an epic experience for customers is sometimes enough to get some of them shouting about you and referring others.

You need to move away from hoping people tell their friends about you. And towards specific strategies that actively encourage people to refer.

Let’s take a look at some ideas to help you build you WOMM strategy:

WOM works for all verticals

– Ross Simmonds, Digital Strategist, Foundation Marketing

1. Set up word of mouth triggers.

A word of mouth trigger is your ‘x factor’.

The thing that makes your business stand out from any other in your industry or space.

This means giving your customers something memorable. An experience, thought or feeling they can’t get anywhere else.

And they’re left being almost forced (in a good way) to talk about you to others.

The Hustle, for instance, sends an ambassador promotion email anywhere from 2 weeks to a couple months after someone joins (they continue to test timing for effectiveness). Here’s the email they send:

Disney does an amazing job of this with their theme parks.

They create a stunning visual experience that people just want to take photos of and share with other people.

But this can be a little trickier to create when it comes to ecommerce.

You could create a website so stunning and unique that people just have to share it. But navigation, ease-of-use and conversions should always be your first point of call.

IKEA is a great example of a brand using a visual trigger to create word of mouth.

They were among some of the first retailers to embrace Augmented Reality in a big way and created a huge online buzz when launching their AR app:

3. Do or create something unique.

Creating something totally different and out of the box is another way to trigger people into spreading the word about your business.

But that doesn’t mean you need to totally reinvent the wheel.

It could be that you market your business in a way that’s totally different to anyone else in your space. Or that you take an old product and sell it in a completely new way.

Dollar Shave Club is a fantastic example of both of these ideas.

Not only did they take an old product (a shaving razor) and sell it in a new way (via subscription to monthly grooming packages). But they also marketed themselves using self-deprecating humour in an industry that’s mostly known for producing serious commercials of men with chiseled good looks.

In fact, they gained 12,000 customers within 48 hours of this initial YouTube video going live in 2012 (and it now has over 25 million views):

4. Emotional provocation.

Tapping into people’s emotions can be very powerful for generating shares and getting people to talk about your business.

This can be done via taking something you believe in and tying your company brand closely to it on your social commerce networks, your website and anywhere you can.

For example:

Android believe in their slogan “Be Together. Not the Same”. And their ‘Friends Furever’ video went on to become the most shared ad of all time by simply encapsulating this concept.

BigCommerce retailer Ben & Jerry’s also does this really well by attaching themselves to a cause they hugely believe in – environmentalism:

Content generated by your users, customers and followers can be much more powerful, engaging and shareable than run of the mill company updates and photos.

In fact:

According to an Adweek infographic, 85% of users find visual UGC more influential than brand photos or videos.

Meaning engaging your follower base in a two-way conversation can encourage them to start shouting about your business on social media – effectively endorsing and referring you to their friends and followers.

Offering discounts for posts that meet certain criteria is one way to encourage this. Or running an ongoing social media competition on your own hashtag is another.

BigCommerce retailer Jeni’s Splendid Ice Creams does this fantastically well.

They have stores all across America and get customers to Instagram themselves enjoying their ice cream while using a special hashtag for the store they’re at:

Not every person is going to refer dozens of friends and family.

But that doesn’t mean they didn’t love their experience. And certainly doesn’t mean you can’t use their feedback to convince others to buy.

According to BrightLocal’s 2023 Customer Review Survey:

Consumers read an average of seven reviews before trusting a business – up from six the previous year.

85% of consumers trust online reviews as much as personal recommendations

49% of consumers need at least a four-star rating before they choose to use a business.

So feedback and word of mouth from your current customers is crucial.

That means collecting and prominently displaying honest reviews of your service and products in as many places as possible – marketplaces, websites, in-store, social media posts and anywhere else you can think of.

Alcoholic drinks retailer BeerCartel do this brilliantly on their BigCommerce store by prominently displaying product ratings in the top left and a reviews tab on the right:

A referral program isn’t going to trump a bad experience for your customers.

But offering systematic referral rewards is a great way to nudge happy customers into actually taking that step and introducing others to your business.

In fact:

Texas Tech research has indicated that 83% of satisfied customers are willing to refer a product or service but only 29% actually do.

So gently pushing customers towards taking action on referrals could be a game changer.

Rewards could be anything from:

Discount off next/first order.

$X gift card for referring a certain number of people.

Straight up paying people for referrals.

Bonus gifts with next order for referring people.

Outdoor apparel retailer The Clymb does an awesome job with their referral programme, clearly highlighting it in their website header:

A key caveat to mention here though is that you need to know your customer numbers and metrics – especially average lifetime value.

There’s no point giving a reward of, say, $50 if your average customer only has a lifetime value of $25. You’re just throwing away money.

This is why reward programs lend themselves particularly well to subscription services or businesses that see high customer retention.

But knowing your numbers means you know how much you can afford to spend as a reward.

For example:

Not something most brands can do. But PayPal knew their numbers and created 7-10% daily growth in user base with it selling for $1.5 billion a few years later.

Today, PayPal continues to lead the payments industry charge. They even sell their point-of-sale system to ecommerce brands in the exact same way ecommerce brands sell to their own customers.

But if you can get 1 person to talk about your brand with 10 of their friends and 5 of them buy. And you repeat that for every customer that comes into your store – you’ll get so many sales you won’t be able to keep up with inventory and shipping.

– William Harris, Ecommerce Marketing Expert, Elumynt

Spark WOM among influencers

Some people have a strong social media and online following. And hold a lot of sway with their recommendations.

In fact:

Research from Twitter and Annalect claims 49% of people say they rely on recommendations from influencers when making purchase decisions.

So getting your brand or products reviewed and talked about by relevant influencers in your industry can be a fantastic word of mouth strategy.

Some influencers you can outright pay to promote a product. But there are other ways too.

1. Send products for free.

Once you’ve identified relevant influencers, simply sending them one or some of your products for free can get them talking about it online.

Be careful not to expect or demand anything just because you’ve sent free product. Some of these influencers will get a lot of free stuff and they might not want to review it all.

Minimalistic watch retailer Daniel Wellington used this strategy almost solely to build their online business.

They simple sent one of their watches to selected Instagram influencers along with a unique discount code to include in any posts:

2. Connect with a worthy cause.

Following on from one of the above WOM triggers suggestions – influencers and celebrities are always wanting to show their support for causes they believe in.

Meaning you can gain serious word of mouth exposure while supporting something cool too.

Sun Bum sells sunscreen – without any of the typical bad stuff in it. They also make and sell sunscreen specifically for children’s skin. But that isn’t all.

Sun Bum partners with schools across the U.S. to bring in professional (and famous!) surfers from around the world to teach kids about the importance of sun protection.

Support for the project in the surfing community is huge. But it’s also something that many celebrities and key influencers are more than happy to promote and post about – plugging Sun Bum in the process.

Online app brand Vivino is beloved by wine novices and sommeliers alike around the world, but in the NBA — their share of influencers is far and wide.

“Shoutout to my Vivino app,” says Warriors point guard Stephen Curry. As Kevin Love, the 5 time basketball All-Star and NBA Championship winner, says, “It’s like Netflix for wine.”

For Blazers guard CJ McCollum? “It’s life-changing.”

But it’s imperative to start with the fundamentals.

It doesn’t matter how many marketing consultants you hire, amazing ecommerce conferences you attend or new age growth hacks you try. If you can’t provide a quality experience for customers and run a tight operation then you’ll fall short somewhere along the way.

Get this right first and then use the strategies in this post to keep multiplying your happy customer base over and over.

Cập nhật thông tin chi tiết về Word Macro Examples & Vba Tutorial trên website Hoisinhvienqnam.edu.vn. Hy vọng nội dung bài viết sẽ đáp ứng được nhu cầu của bạn, chúng tôi sẽ thường xuyên cập nhật mới nội dung để bạn nhận được thông tin nhanh chóng và chính xác nhất. Chúc bạn một ngày tốt lành!