각 단어의 첫 글자를 얻다
주어진 문자열에 대해 각 단어의 첫 글자를 어떻게 얻습니까?
$string = "Community College District";
$result = "CCD";
자바 스크립트 메소드를 찾았지만 PHP로 변환하는 방법을 잘 모르겠습니다.
explode()
공백 []
에서 결과 문자열에 배열로 액세스 하기 위해 표기법을 사용합니다 .
$words = explode(" ", "Community College District");
$acronym = "";
foreach ($words as $w) {
$acronym .= $w[0];
}
여러 개의 공백이 단어를 구분할 수 있다고 예상되는 경우 대신 preg_split()
$words = preg_split("/\s+/", "Community College District");
또는 -,_
예를 들어 공백 이외의 문자가 단어 ( )를 구분하는 경우 다음도 사용하십시오 preg_split()
.
// Delimit by multiple spaces, hyphen, underscore, comma
$words = preg_split("/[\s,_-]+/", "Community College District");
이를 수행하는 가장 좋은 방법은 정규식을 사용하는 것입니다.
원하는 것을 논리적으로 분석 할 수 있습니다. 문자열의 모든 문자가 단어의 시작 부분에 있기를 원합니다. 이러한 문자를 식별하는 가장 좋은 방법은 앞에 공백이있는 문자를 찾는 것입니다.
그래서 우리 는 그 공백 문자에 대한 룩 비하인드 로 시작하고 그 뒤에 임의의 문자가 이어집니다.
/(?<=\s)./
공백이 앞에 오는 모든 문자를 찾습니다. 그러나-문자열의 첫 번째 문자는 추출하려는 문자열의 문자입니다. 그리고 문자열의 첫 번째 문자이기 때문에 앞에 공백이 올 수 없습니다. 따라서 문자열에서 공백 이나 첫 번째 문자가 앞에 오는 모든 항목을 일치 시키려고 하므로 주제 시작 어설 션을 추가합니다 .
/(?<=\s|^)./
이제 우리는 가까워지고 있습니다. 그러나 문자열에 여러 공백 블록이 포함되어 있으면 어떻게 될까요? 공백과 구두점 문자가 있으면 어떻게됩니까? 우리는 아마 그것들 중 어느 것과도 일치하고 싶지 않을 것입니다. 지방에서 우리는 아마도 문자와 일치시키고 싶을 것입니다. 캐릭터 클래스로 할 수 있습니다 [a-zA-Z]
. 그리고 i
수식어를 사용하여 대소 문자를 구분하지 않도록 만들 수 있습니다 .
따라서 우리는 다음과 같이 끝납니다.
/(?<=\s|^)[a-z]/i
그러나 실제로 이것을 PHP에서 어떻게 사용합니까? 문자열 내에서 모든 정규 표현식 을 일치 시키고 싶으 므로 다음을 사용합니다 preg_match_all()
.
$string = "Progress in Veterinary Science";
$expr = '/(?<=\s|^)[a-z]/i';
preg_match_all($expr, $string, $matches);
이제 추출하려는 모든 문자가 있습니다. 표시 한 결과 문자열을 구성하려면 다시 결합해야합니다 .
$result = implode('', $matches[0]);
... 그리고 우리는 그것들이 모두 대문자 인지 확인해야합니다 :
$result = strtoupper($result);
그리고 그게 전부입니다.
단어가 모두 공백으로 분리되어 있다고 가정하면 다음과 같은 적절한 솔루션이됩니다.
$string = "Progress in Veterinary Science";
function initials($str) {
$ret = '';
foreach (explode(' ', $str) as $word)
$ret .= strtoupper($word[0]);
return $ret;
}
echo initials($string); // would output "PIVS"
많은 explode
답변이 있습니다. 이 strtok
함수를 사용하는 것이 훨씬 더 우아하고 메모리 효율적인 솔루션 이라고 생각 합니다.
function createAcronym($string) {
$output = null;
$token = strtok($string, ' ');
while ($token !== false) {
$output .= $token[0];
$token = strtok(' ');
}
return $output;
}
$string = 'Progress in Veterinary Science';
echo createAcronym($string, false);
다음은 UTF8 문자와 대문자 단어 만 사용하는 옵션을 지원하는보다 강력하고 유용한 함수입니다.
function createAcronym($string, $onlyCapitals = false) {
$output = null;
$token = strtok($string, ' ');
while ($token !== false) {
$character = mb_substr($token, 0, 1);
if ($onlyCapitals and mb_strtoupper($character) !== $character) {
$token = strtok(' ');
continue;
}
$output .= $character;
$token = strtok(' ');
}
return $output;
}
$string = 'Leiðari í Kliniskum Útbúgvingum';
echo createAcronym($string);
Michael Berkowski (및 기타) 답변, 한 줄로 단순화되고 멀티 바이트 문자에서 올바르게 작동합니다 (즉, 라틴어가 아닌 문자열에서 약어 / 이니셜 만들기).
foreach(explode(' ', $words) as $word) $acronym .= mb_substr($word, 0, 1, 'utf-8');
사용 mb_substr($word, 0, 1, 'utf-8')
하는 대신 $word[0]
UTF-8로 인코딩 된 문자열을 사용할 때, 즉 비 라틴, 멀티 바이트 문자열과 문자, 작업을하는 경우, 반드시 것 같다.
$temp = explode(' ', $string);
$result = '';
foreach($temp as $t)
$result .= $t[0];
이렇게
preg_match_all('#(?<=\s|\b)\pL#u', $String, $Result);
echo '<pre>' . print_r($Result, 1) . '</pre>';
다른 사람들이 설명했듯이 고전적인 방법은 초기 문자열의 각 단어를 반복하고 단어를 첫 글자로 줄이고 첫 글자를 함께 결합하는 것입니다.
다음은 여러 단계를 결합한 도우미 메서드입니다.
/**
* @return string
*/
function getInitials($string = null) {
return array_reduce(
explode(' ', $string),
function ($initials, $word) {
return sprintf('%s%s', $initials, substr($word, 0, 1));
},
''
);
}
주의 : 주어진 문자열이 비어있는 경우 빈 문자열을 반환합니다.
getInitials('Community College District')
문자열 'CCD'(길이 = 3)
getInitials()
문자열 ''(길이 = 0)
getInitials('Lorem ipsum dolor sic amet')
문자열 'Lidsa'(길이 = 5)
물론 array_reduce()
예 strtoupper()
를 들어 대문자 이니셜 만 선호하는 경우 와 같이 의 콜백 함수에 필터를 추가 할 수 있습니다 .
$str = 'I am a String!';
echo implode('', array_map(function($v) { return $v[0]; }, explode(' ', $str)));
// would output IaaS
내가 요리 한 것.
/**
* Return the first letter of each word in uppercase - if it's too long.
*
* @param string $str
* @param int $max
* @param string $acronym
* @return string
*/
function str_acronym($str, $max = 12, $acronym = '')
{
if (strlen($str) <= $max) return $str;
$words = explode(' ', $str);
foreach ($words as $word)
{
$acronym .= strtoupper(substr($word, 0, 1));
}
return $acronym;
}
function acronym( $string = '' ) {
$words = explode(' ', $string);
if ( ! $words ) {
return false;
}
$result = '';
foreach ( $words as $word ) $result .= $word[0];
return strtoupper( $result );
}
폭발해서 다시 합류해야 할 것 같아요 .....
<?php
$string = "Progress in Veterinary Science";
$pieces = explode(" ", $string);
$str="";
foreach($pieces as $piece)
{
$str.=$piece[0];
}
echo $str; /// it will result into "PiVS"
?>
Prateeks 재단을 사용하여 설명이 포함 된 간단한 예가 있습니다.
// initialize variables
$string = 'Capitalize Each First Word In A String';
$myCapitalizedString = '';
// here's the code
$strs=explode(" ",$string);
foreach($strs as $str) {
$myCapitalizedString .= $str[0];
}
// output
echo $myCapitalizedString; // prints 'CEFWIAS'
입력 문자열에서 두 글자 사이에 더 많은 공백이 있으면 이것을 시도하십시오.
function first_letter($str)
{
$arr2 = array_filter(array_map('trim',explode(' ', $str)));
$result='';
foreach($arr2 as $v)
{
$result.=$v[0];
}
return $result;
}
$str=" Let's try with more spaces for fun . ";
echo first_letter($str);
동일한 코드의 대안
function first_letter($str)
{
return implode('', array_map(function($v) { return $v[0]; },array_filter(array_map('trim',explode(' ', $str)))));;
}
$str=" Let's try with more spaces for fun . ";
echo first_letter($str);
다음은 이름의 이니셜을 가져 오는 함수입니다. 이니셜이 1 자일 경우 이름의 처음 2자를 반환합니다.
function getNameInitials($name) {
preg_match_all('#(?<=\s|\b)\pL#u', $name, $res);
$initials = implode('', $res[0]);
if (strlen($initials) < 2) {
$initials = strtoupper(substr($name, 0, 2));
}
return strtoupper($initials);
}
이 시도-
$strs=explode(" ",$string);
foreach($strs as $str)
echo $str[0];
이와 같은 것이 트릭을 수행해야합니다.
$string = 'Some words in a string';
$words = explode(' ', $string); // array of word
foreach($words as $word){
echo $word[0]; // first letter
}
큰 문자열 (또는 파일에서 직접) explode()
에서이 작업을 수행하는 경우이를 수행하는 가장 좋은 방법이 아닙니다. 2MB 큰 문자열을 메모리로 분할해야하는 경우 얼마나 많은 메모리가 낭비 될지 상상해보십시오.
조금 더 코딩하고 (가정하면 PHP >= 5.0
) Iterator
정확히 이것을 수행 하는 PHP 클래스를 쉽게 구현할 수 있습니다 . 이것은 파이썬의 생성기에 가깝고 짧게 짧게 코드는 다음과 같습니다.
/**
* Class for CONTINOUS reading of words from string.
*/
class WordsIterator implements Iterator {
private $pos = 0;
private $str = '';
private $index = 0;
private $current = null;
// Regexp explained:
// ([^\\w]*?) - Eat everything non-word before actual word characters
// Mostly used only if string beings with non-word char
// ([\\w]+) - Word
// ([^\\w]+?|$) - Trailing thrash
private $re = '~([^\\w]*?)([\\w]+)([^\\w]+?|$)~imsS';
// Primary initialize string
public function __construct($str) {
$this->str = $str;
}
// Restart indexing
function rewind() {
$this->pos = 0;
$this->index = 0;
$this->current = null;
}
// Fetches current word
function current() {
return $this->current;
}
// Return id of word you are currently at (you can use offset too)
function key() {
return $this->index;
}
// Here's where the magic is done
function next() {
if( $this->pos < 0){
return;
}
$match = array();
++$this->index;
// If we can't find any another piece that matches... Set pos to -1
// and stop function
if( !preg_match( $this->re, $this->str, $match, 0, $this->pos)){
$this->current = null;
$this->pos = -1;
return;
}
// Skip what we have read now
$this->current = $match[2];
$this->pos += strlen( $match[1]) + strlen( $match[2]) + strlen($match[3]);
// We're trying to iterate past string
if( $this->pos >= strlen($this->str)){
$this->pos = -1;
}
}
// Okay, we're done? :)
function valid() {
return ($this->pos > -1);
}
}
좀 더 까다로운 문자열에 사용할 경우 :
$a = new WordsIterator("Progress in Veterinary Science. And, make it !more! interesting!\nWith new line.");
foreach( $a as $i){
echo $i;
echo "\n";
}
예상 결과를 얻을 수 있습니까?
Progress
in
Veterinary
Science
And
make
it
more
interesting
With
new
line
So you can easily use $i[0]
to fetch first letter.You probably can see that this is more effective solution than splitting whole string into memory (always use only as little memory as possible). You also could easily modify this solution to work with continuous reading of files etc.
<?php $arr = explode(" ",$String);
foreach($arr as $s)
{
echo substr($s,0,1);
}
?>
firstly I explode string by spaces then I substr first char.
Try This
function initials($string) {
if(!(empty($string))) {
if(strpos($string, " ")) {
$string = explode(" ", $string);
$count = count($string);
$new_string = '';
for($i = 0; $i < $count; $i++) {
$first_letter = substr(ucwords($string[$i]), 0, 1);
$new_string .= $first_letter;
}
return $new_string;
} else {
$first_letter = substr(ucwords($string), 0, 1);
$string = $first_letter;
return $string;
}
} else {
return "empty string!";
}
}
echo initials('Thomas Edison');
I like Reg Expression over any other method of string extraction, but if you are unfamiliar with Reg Ex then hear is a method using the explode()
PHP function:
$string = "David Beckham";
$string_split = explode(" ", $string);
$inititals = $string_split[0][0] . $string_split[1][0];
echo $inititals;
Obviously the above code will only work on a name containing two words.
Why not using the str_word_count function for this?
- get each word as a row in an array
reduce that array to the first letter
$acronym = array_reduce( str_word_count("Community College District", 1), function($res , $w){ return $res . $w[0]; } );
This answer https://stackoverflow.com/a/33080232/1046909 but with multibyte strings support:
if (!function_exists('str_acronym')) {
function str_acronym(string $str, int $min = -1, string $prefix = null): string
{
if (mb_strlen($str) <= $min) {
return $str;
};
$words = explode(' ', $str);
$acronym = strval($prefix);
foreach ($words as $word) {
if ($word = trim($word)) {
$acronym .= mb_strtoupper(mb_substr($word, 0, 1));
}
}
return $acronym;
}
}
참고URL : https://stackoverflow.com/questions/9706429/get-first-letter-of-each-word
'Programing' 카테고리의 다른 글
방랑 쉘 프로 비 저너에 환경 변수 전달 (0) | 2020.11.01 |
---|---|
matplotlib 막대 차트에 값 레이블 추가 (0) | 2020.11.01 |
SBT는 로컬 Maven 저장소에서 파일을 찾지 못합니다. (0) | 2020.10.31 |
Java에서 개체 복제 (0) | 2020.10.31 |
IE8에서 JavaScript 변수를 어떻게 덤프합니까? (0) | 2020.10.31 |