Risposte:
Una riga è sufficiente:
var x = '|f|oo||';
var y = x.replace(/^\|+|\|+$/g, '');
document.write(x + '<br />' + y);
^\|+ beginning of the string, pipe, one or more times
| or
\|+$ pipe, one or more times, end of the string
Una soluzione generale:
function trim (s, c) {
if (c === "]") c = "\\]";
if (c === "\\") c = "\\\\";
return s.replace(new RegExp(
"^[" + c + "]+|[" + c + "]+$", "g"
), "");
}
chars = ".|]\\";
for (c of chars) {
s = c + "foo" + c + c + "oo" + c + c + c;
console.log(s, "->", trim(s, c));
}
Se ho capito bene, vuoi rimuovere un carattere specifico solo se si trova all'inizio o alla fine della stringa (es: ||fo||oo||||
dovrebbe diventare foo||oo
). È possibile creare una funzione ad hoc come segue:
function trimChar(string, charToRemove) {
while(string.charAt(0)==charToRemove) {
string = string.substring(1);
}
while(string.charAt(string.length-1)==charToRemove) {
string = string.substring(0,string.length-1);
}
return string;
}
Ho testato questa funzione con il codice seguente:
var str = "|f|oo||";
$( "#original" ).html( "Original String: '" + str + "'" );
$( "#trimmed" ).html( "Trimmed: '" + trimChar(str, "|") + "'" );
Puoi usare un'espressione regolare come:
var x = "|f|oo||";
var y = x.replace(/^[\|]+|[\|]+$/g, "");
alert(y); // f|oo
AGGIORNARE:
Se desideri generalizzare questo in una funzione, puoi fare quanto segue:
var escapeRegExp = function(strToEscape) {
// Escape special characters for use in a regular expression
return strToEscape.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g, "\\$&");
};
var trimChar = function(origString, charToTrim) {
charToTrim = escapeRegExp(charToTrim);
var regEx = new RegExp("^[" + charToTrim + "]+|[" + charToTrim + "]+$", "g");
return origString.replace(regEx, "");
};
var x = "|f|oo||";
var y = trimChar(x, "|");
alert(y); // f|oo
per mantenere aggiornata questa domanda:
ecco un approccio che sceglierei rispetto alla funzione regex utilizzando l'operatore di diffusione ES6.
function trimByChar(string, character) {
const first = [...string].findIndex(char => char !== character);
const last = [...string].reverse().findIndex(char => char !== character);
return string.substring(first, string.length - last);
}
Versione migliorata dopo il commento di @fabian (può gestire solo stringhe contenenti lo stesso carattere)
function trimByChar(string, character) {
const arr = Array.from(string);
const first = arr.indexOf(character);
const last = arr.reverse().indexOf(character);
return string.substring(first + 1, string.length - last - 1);
}
[].concat(string)
risultato non desiderato. L'utilizzo Array.from(string)
funzionerà.
Una versione senza regex che è facile da vedere:
const trim = (str, chars) => str.split(chars).filter(Boolean).join(chars);
Per casi d'uso in cui siamo certi che non ci siano ripetizioni dei caratteri fuori dai bordi.
const trim = (str, chars) => str.split(chars).filter(x => { Boolean(x); console.log(typeof(x), x, Boolean(x)); }).join(chars); const str = "#//#//abc#//test#//end#//"; console.log(trim(str, '#//'));
Se hai a che fare con stringhe più lunghe, credo che questo dovrebbe superare la maggior parte delle altre opzioni riducendo il numero di stringhe allocate a zero o uno:
function trim(str, ch) {
var start = 0,
end = str.length;
while(start < end && str[start] === ch)
++start;
while(end > start && str[end - 1] === ch)
--end;
return (start > 0 || end < str.length) ? str.substring(start, end) : str;
}
// Usage:
trim('|hello|world|', '|'); // => 'hello|world'
Oppure, se vuoi tagliare da un insieme di più caratteri:
function trimAny(str, chars) {
var start = 0,
end = str.length;
while(start < end && chars.indexOf(str[start]) >= 0)
++start;
while(end > start && chars.indexOf(str[end - 1]) >= 0)
--end;
return (start > 0 || end < str.length) ? str.substring(start, end) : str;
}
// Usage:
trimAny('|hello|world ', [ '|', ' ' ]); // => 'hello|world'
// because '.indexOf' is used, you could also pass a string for the 2nd parameter:
trimAny('|hello| world ', '| '); // => 'hello|world'
EDIT: per divertimento, ritaglia le parole (piuttosto che i singoli caratteri)
// Helper function to detect if a string contains another string
// at a specific position.
// Equivalent to using `str.indexOf(substr, pos) === pos` but *should* be more efficient on longer strings as it can exit early (needs benchmarks to back this up).
function hasSubstringAt(str, substr, pos) {
var idx = 0, len = substr.length;
for (var max = str.length; idx < len; ++idx) {
if ((pos + idx) >= max || str[pos + idx] != substr[idx])
break;
}
return idx === len;
}
function trimWord(str, word) {
var start = 0,
end = str.length,
len = word.length;
while (start < end && hasSubstringAt(str, word, start))
start += word.length;
while (end > start && hasSubstringAt(str, word, end - len))
end -= word.length
return (start > 0 || end < str.length) ? str.substring(start, end) : str;
}
// Usage:
trimWord('blahrealmessageblah', 'blah');
Questo può tagliare più caratteri alla volta:
String.prototype.trimChars = function (c) {
var re = new RegExp("^[" + c + "]+|[" + c + "]+$", "g");
return this.replace(re,"");
}
var x = "|f|oo||";
x = x.trimChars('|'); // f|oo
var y = "..++|f|oo||++..";
y = y.trimChars('|.+'); // f|oo
var z = "\\f|oo\\"; // \f|oo\
// For backslash, remember to double-escape:
z = z.trimChars("\\\\"); // f|oo
Se definisci queste funzioni nel tuo programma, le tue stringhe avranno una versione aggiornata trim
che può tagliare tutti i caratteri dati:
String.prototype.trimLeft = function(charlist) {
if (charlist === undefined)
charlist = "\s";
return this.replace(new RegExp("^[" + charlist + "]+"), "");
};
String.prototype.trim = function(charlist) {
return this.trimLeft(charlist).trimRight(charlist);
};
String.prototype.trimRight = function(charlist) {
if (charlist === undefined)
charlist = "\s";
return this.replace(new RegExp("[" + charlist + "]+$"), "");
};
var withChars = "/-center-/"
var withoutChars = withChars.trim("/-")
document.write(withoutChars)
Per quanto ne so, jQuery non ha una funzione incorporata nel metodo che stai chiedendo. Con javascript, tuttavia, puoi semplicemente usare sostituisci per modificare il contenuto della tua stringa:
x.replace(/|/i, ""));
Questo sostituirà tutte le occorrenze di | con niente.
$
come questo solo alla fine: "||spam|||".replace(/\|+$/g, "")
o un ^
come questo solo all'inizio:"||spam|||".replace(/^\|+/g, "")
Questo taglia tutti i delimitatori iniziali e finali
const trim = (str, delimiter) => {
const pattern = `[^\\${delimiter}]`;
const start = str.search(pattern);
const stop = str.length - str.split('').reverse().join('').search(pattern);
return str.substring(start, stop);
}
const test = '||2|aaaa12bb3ccc|||||';
console.log(trim(test, '|')); // 2|aaaa12bb3ccc
Suggerirei di guardare lodash e come hanno implementato la trim
funzione.
Vedi Lodash Trim per la documentazione e il sorgente per vedere il codice esatto che esegue il taglio.
So che questo non fornisce una risposta esatta alla tua domanda, ma penso che sia bene impostare un riferimento a una libreria su una domanda del genere poiché altri potrebbero trovarla utile.
Il modo migliore per risolvere questa attività è (simile alla trim
funzione PHP ):
function trim( str, charlist ) {
if ( typeof charlist == 'undefined' ) {
charlist = '\\s';
}
var pattern = '^[' + charlist + ']*(.*?)[' + charlist + ']*$';
return str.replace( new RegExp( pattern ) , '$1' )
}
document.getElementById( 'run' ).onclick = function() {
document.getElementById( 'result' ).value =
trim( document.getElementById( 'input' ).value,
document.getElementById( 'charlist' ).value);
}
<div>
<label for="input">Text to trim:</label><br>
<input id="input" type="text" placeholder="Text to trim" value="dfstextfsd"><br>
<label for="charlist">Charlist:</label><br>
<input id="charlist" type="text" placeholder="Charlist" value="dfs"><br>
<label for="result">Result:</label><br>
<input id="result" type="text" placeholder="Result" disabled><br>
<button type="button" id="run">Trim it!</button>
</div>
PS: perché ho pubblicato la mia risposta, quando la maggior parte delle persone l'ha già fatto prima? Perché ho trovato l'errore "migliore" in tutte le risposte: tutte hanno utilizzato il meta '+' invece di '*', perché trim
devono rimuovere i caratteri SE SONO IN INIZIO E / O IN FINE, ma restituisce la stringa originale in altri casi .
Mi piace la soluzione di @ Pho3niX83 ...
Estendiamolo con "word" invece di "char" ...
function trimWord(_string, _word) {
var splitted = _string.split(_word);
while (splitted.length && splitted[0] === "") {
splitted.shift();
}
while (splitted.length && splitted[splitted.length - 1] === "") {
splitted.pop();
}
return splitted.join(_word);
};
function trim(text, val) {
return text.replace(new RegExp('^'+val+'+|'+val+'+$','g'), '');
}
"|Howdy".replace(new RegExp("^\\|"),"");
(si noti il doppio escape. \\
necessario, per avere una barra effettivamente singola nella stringa , che poi porta all'escape di |
in regExp ).
Solo pochi caratteri richiedono regExp-Escaping. , tra questi l'operatore di pipa.
provare:
console.log(x.replace(/\|/g,''));
String.prototype.TrimStart = function (n) {
if (this.charAt(0) == n)
return this.substr(1);
};
String.prototype.TrimEnd = function (n) {
if (this.slice(-1) == n)
return this.slice(0, -1);
};
Prova questo metodo:
var a = "anan güzel mi?";
if (a.endsWith("?")) a = a.slice(0, -1);
document.body.innerHTML = a;