Logo

Programming-Idioms

  • VB
  • Go
  • D

Idiom #63 Replace fragment of a string

Assign to x2 the value of string x with all occurrences of y replaced by z.
Assume occurrences of y are not overlapping.

import std.array;
auto x2 = x.replace(y,z);  

Same as
auto x2 = replace(x,y,z)
but easier to guess operation in this form.
Imports System
Dim x2 As String = x.Replace(y, z, StringComparison.Ordinal)

It is best practice to explicitly specify the string comparison method when working with strings in .NET.
import "strings"
x2 := strings.ReplaceAll(x, y, z)

This replaces non-overlapping instances of y.
import "strings"
x2 := strings.Replace(x, y, z, -1)

-1 means "no limit on the number of replacements".
This replaces non-overlapping instances of y.
#include <string>
constexpr std::string ReplaceAllCopy(const std::string& x, const std::string& y, const std::string& z) {
	auto x2 = x;
	size_t i = 0;

	while (true) {
		i = x2.find(y, i);
		if (i == std::string::npos) break;
		x2.replace(i, y.length(), z);
	}
	return x2;
}

constexpr version which doesn't depend on regex

New implementation...