Enhance CountryFlag to accept country names and codes
Build And Push Image / docker (push) Successful in 3m20s Details

- Add actualCountryCode computed property to handle both 2-letter codes and country names
- Extend parseCountryInput with common country name variations (USA, UK, etc.)
- Import parseCountryInput utility in CountryFlag component
- Update template to use actualCountryCode instead of direct countryCode prop
This commit is contained in:
Matt 2025-08-07 21:30:47 +02:00
parent b043648db6
commit f096a22824
2 changed files with 43 additions and 7 deletions

View File

@ -2,24 +2,24 @@
<span class="country-flag" :class="{ 'country-flag--small': size === 'small' }">
<ClientOnly>
<VueCountryFlag
v-if="countryCode"
:country="countryCode"
v-if="actualCountryCode"
:country="actualCountryCode"
:size="flagSize"
:title="getCountryName(countryCode)"
:title="getCountryName(actualCountryCode)"
/>
<template #fallback>
<span class="flag-placeholder" :style="placeholderStyle">🏳</span>
</template>
</ClientOnly>
<span v-if="showName && countryCode" class="country-name">
{{ getCountryName(countryCode) }}
<span v-if="showName && actualCountryCode" class="country-name">
{{ getCountryName(actualCountryCode) }}
</span>
</span>
</template>
<script setup lang="ts">
import VueCountryFlag from 'vue-country-flag-next';
import { getCountryName } from '~/utils/countries';
import { getCountryName, parseCountryInput } from '~/utils/countries';
interface Props {
countryCode?: string;
@ -35,6 +35,20 @@ const props = withDefaults(defineProps<Props>(), {
square: false
});
// Convert country name to country code if needed
const actualCountryCode = computed(() => {
if (!props.countryCode) return '';
// If it's already a 2-letter code, use it
if (props.countryCode.length === 2) {
return props.countryCode.toUpperCase();
}
// Try to parse country name to get the code
const parsed = parseCountryInput(props.countryCode);
return parsed || '';
});
const flagSize = computed(() => {
const sizeMap = {
small: 'sm',

View File

@ -321,8 +321,30 @@ export const parseCountryInput = (input: string): string | null => {
return trimmed.toUpperCase();
}
// Handle common variations and abbreviations
const commonVariations: Record<string, string> = {
'usa': 'US',
'uk': 'GB',
'england': 'GB',
'britain': 'GB',
'great britain': 'GB',
'america': 'US',
'united states of america': 'US',
'south korea': 'KR',
'north korea': 'KP',
'czech republic': 'CZ',
'czechia': 'CZ',
'russia': 'RU',
'russian federation': 'RU',
};
const lowerInput = trimmed.toLowerCase();
if (commonVariations[lowerInput]) {
return commonVariations[lowerInput];
}
// Search by name
const found = countriesByName.get(trimmed.toLowerCase());
const found = countriesByName.get(lowerInput);
return found ? found.code : null;
};