[javascript] 다른 문자열의 x 위치에 문자열 삽입

두 개의 변수가 있으며 로 표시된 지점에서 문자열 b에 문자열 을 삽입해야합니다 . 내가 찾은 결과는 “사과를 원합니다”입니다. JavaScript로 어떻게 할 수 있습니까?aposition

var a = 'I want apple';
var b = ' an';
var position = 6;



답변

var a = "I want apple";
var b = " an";
var position = 6;
var output = [a.slice(0, position), b, a.slice(position)].join('');
console.log(output);


선택 사항 : String의 프로토 타입 방법으로

다음은 text원하는 다른 문자열 내 에서 스플 라이스하는 데 사용할 수 있습니다index 선택적 removeCount매개 변수 .

if (String.prototype.splice === undefined) {
  /**
   * Splices text within a string.
   * @param {int} offset The position to insert the text at (before)
   * @param {string} text The text to insert
   * @param {int} [removeCount=0] An optional number of characters to overwrite
   * @returns {string} A modified string containing the spliced text.
   */
  String.prototype.splice = function(offset, text, removeCount=0) {
    let calculatedOffset = offset < 0 ? this.length + offset : offset;
    return this.substring(0, calculatedOffset) +
      text + this.substring(calculatedOffset + removeCount);
  };
}

let originalText = "I want apple";

// Positive offset
console.log(originalText.splice(6, " an"));
// Negative index
console.log(originalText.splice(-5, "an "));
// Chaining
console.log(originalText.splice(6, " an").splice(2, "need", 4).splice(0, "You", 1));
.as-console-wrapper { top: 0; max-height: 100% !important; }


답변

var output = a.substring(0, position) + b + a.substring(position);

편집 : 교체 .substr.substring인해는 .substr이제 기존의 함수이다 (당 https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String/substr )


답변

이 함수를 문자열 클래스에 추가 할 수 있습니다

String.prototype.insert_at=function(index, string)
{
  return this.substr(0, index) + string + this.substr(index);
}

모든 문자열 객체에서 사용할 수 있습니다.

var my_string = "abcd";
my_string.insertAt(1, "XX");


답변

ES6 문자열 리터럴을 사용하면 훨씬 짧습니다.

const insertAt = (str, sub, pos) => `${str.slice(0, pos)}${sub}${str.slice(pos)}`;

console.log(insertAt('I want apple', ' an', 6)) // logs 'I want an apple'


답변

다음 과 같이 indexOf ()를 사용하여 위치 를 결정하면 더 좋습니다 .

function insertString(a, b, at)
{
    var position = a.indexOf(at);

    if (position !== -1)
    {
        return a.substr(0, position) + b + a.substr(position);
    }

    return "substring not found";
}

다음과 같이 함수를 호출하십시오.

insertString("I want apple", "an ", "apple");

return 문이 아니라 함수 호출에서 “an”뒤에 공백을 넣었습니다.


답변

Underscore.String의 도서관이 수행하는 기능이 삽입

insert (string, index, substring) => 문자열

그렇게

insert("Hello ", 6, "world");
// => "Hello world"


답변

시험

a.slice(0,position) + b + a.slice(position)

또는 정규식 솔루션

"I want apple".replace(/^(.{6})/,"$1 an")