sed – 20 examples to remove / delete characters from a file

In this article, we will see the examples of how to remove or delete characters from a file. The syntax of sed command replacement is:

$ sed 's/find/replace/' file

This sed command finds the pattern and replaces with another pattern. When the replace is left empty, the pattern/element found gets deleted.

Let us consider a sample file as below:

$ cat file
Linux
Solaris
Ubuntu
Fedora
RedHat

1. To remove a specific character, say ‘a’

$ sed 's/a//' file
Linux
Solris
Ubuntu
Fedor
RedHt

This will remove the first occurence of ‘a’ in every line of the file. To remove all occurences of ‘a’ in every line,

$ sed 's/a//g' file

2. To remove 1st character in every line:

$ sed 's/^.//' file
inux
olaris
buntu
edora
edHat

.(dot) tries to match a single character. The  ^ tries to match a pattern(any character) in the beginning of the line.   Another way to write the same:

$ sed 's/.//' file

This tells to replace a character with nothing. Since by default, sed starts from beginning, it replaces only the 1st character since ‘g’ is not passed.

3. To remove last character of every line :

$ sed 's/.$//' file
Linu
Solari
Ubunt
Fedor
RedHa

The $ tries to match a pattern in the end of the line.

4. To remove the 1st and last character of every line in the same command:

$ sed 's/.//;s/.$//' file
inu
olari
bunt
edor
edHa

Two commands can be given together with a semi-colon separated in between.

5. To remove first character only if it is a specific character:

$ sed 's/^F//' file
Linux
Solaris
Ubuntu
edora
RedHat

This removes the 1st character only if it is ‘F’.

6. To remove last character only if it is a specific character:

$ sed 's/x$//' file
Linu
Solaris
Ubuntu
Fedora
RedHat

This removed the last character only if it s ‘x’.

7. To remove 1st 3 characters of every line:

$ sed 's/...//' file
ux
aris
ntu
ora
Hat

A single dot(.) removes 1st character, 3 dots remove 1st three characters.

8. To remove 1st n characters of every line:

$ sed -r 's/.{4}//' file
x
ris
tu
ra
at

.{n} -> matches any character n times, and hence the above expression matches 4 characters and deletes it.

9. To remove last n characters of every line:

$ sed -r 's/.{3}$//' file
Li
Sola
Ubu
Fed
Red

10. To remove everything except the 1st n characters in every line:

$ sed -r 's/(.{3}).*/\1/' file
Lin
Sol
Ubu
Fed
Red

.* -> matches any number of characters, and the first 3 characters matched are grouped using parantheses. In the replacement, by having \1 only the group is retained, leaving out the remaining part.

11. To remove everything except the last n characters in a file:

$ sed -r 's/.*(.{3})/\1/' file
nux
ris
ntu
ora
Hat

Same as last example, except that from the end.

12. To remove multiple characters present in a file:

$ sed 's/[aoe]//g' file
Linux
Slris
Ubuntu
Fdr
RdHt

To delete multiple characters, [] is used by specifying the characters to be removed. This will remove all occurences of the characters a, o and e.

13. To remove a pattern  :

$ sed 's/lari//g' file
Linux
Sos
Ubuntu
Fedora
RedHat

Not just a character, even a pattern can be removed. Here, ‘lari’ got removed from ‘Solaris’.

14. To delete only nth occurrence of a character in every line:

$ sed 's/u//2' file
Linux
Solaris
Ubunt
Fedora
RedHat

By default, sed performs an activity only on the 1st occurence. If n is specifed, sed performs only on the nth occurence of the pattern. The 2nd ‘u’ of ‘Ubuntu’ got deleted.

15. To delete everything in a line followed by a character:

$ sed 's/a.*//' file
Linux
Sol
Ubuntu
Fedor
RedH

16. To remove all digits present in every line of a file:

$ sed 's/[0-9]//g' file

[0-9] stands for all characters between 0 to 9 meaning all digits, and hence all digits get removed.

17. To remove all lower case alphabets present in every line:

$ sed 's/[a-z]//g' file
L
S
U
F
RH

[a-z] represents lower case alphabets range and hence all lower-case characters get removed.

18. To remove everything other than the lower case alphabets:

$ sed 's/[^a-z]//g' file
inux
olaris
buntu
edora
edat

^ inside square brackets negates the condition. Here, all characters except lower case alphabets get removed.

19. To remove all alpha-numeric characters present in every line:

$ sed 's/[a-zA-Z0-9]//g' file

All alpha-numeric characters get removed.

20. To remove a character irrespective of the case:

$ sed 's/[uU]//g' file
Linx
Solaris
bnt
Fedora
RedHat

By specifying both the lower and upper case character in brackets is equivalent to removing a character irrespective of the case.

Original article here, from The UNIX School.

Linux Increase Networking Performance Tuning Network Stack (Buffers Size)

Starting a Stress Test to improve performance, I reach some limits when the system was under intense fire up. By default the Linux network stack is not configured for high speed large file transfer across WAN links. This is done to save memory resources. You can easily tune Linux network stack by increasing network buffers size for high-speed networks that connect server systems to handle more network packets.

The default maximum Linux TCP buffer sizes are way too small. TCP memory is calculated automatically based on system memory; you can find the actual values by typing the following commands:

$ cat /proc/sys/net/ipv4/tcp_mem

The default and maximum amount for the receive socket memory:

$ cat /proc/sys/net/core/rmem_default
$ cat /proc/sys/net/core/rmem_max

The default and maximum amount for the send socket memory:

$ cat /proc/sys/net/core/wmem_default
$ cat /proc/sys/net/core/wmem_max

The maximum amount of option memory buffers:

$ cat /proc/sys/net/core/optmem_max

 Tuning the Values

Set the max OS send buffer size (wmem) and receive buffer size (rmem) to 12 MB for queues on all protocols. In other words set the amount of memory that is allocated for each TCP socket when it is opened or created while transferring files:

WARNING! The default value of rmem_max and wmem_max is about 128 KB in most Linux distributions, which may be enough for a low-latency general purpose network environment or for apps such as DNS / Web server. However, if the latency is large, the default size might be too small. Please note that the following settings going to increase memory usage on your server.

Now, as root user…

# echo 'net.core.wmem_max=12582912' >> /etc/sysctl.conf
# echo 'net.core.rmem_max=12582912' >> /etc/sysctl.conf

You also need to set minimum size, initial size, and maximum size in bytes:

# echo 'net.ipv4.tcp_rmem= 10240 87380 12582912' >> /etc/sysctl.conf
# echo 'net.ipv4.tcp_wmem= 10240 87380 12582912' >> /etc/sysctl.conf

Turn on window scaling which can be an option to enlarge the transfer window:

# echo 'net.ipv4.tcp_window_scaling = 1' >> /etc/sysctl.conf

Enable timestamps as defined in RFC1323:

# echo 'net.ipv4.tcp_timestamps = 1' >> /etc/sysctl.conf

Enable select acknowledgments:

# echo 'net.ipv4.tcp_sack = 1' >> /etc/sysctl.conf

By default, TCP saves various connection metrics in the route cache when the connection closes, so that connections established in the near future can use these to set initial conditions. Usually, this increases overall performance, but may sometimes cause performance degradation. If set, TCP will not cache metrics on closing connections.

# echo 'net.ipv4.tcp_no_metrics_save = 1' >> /etc/sysctl.conf

Set maximum number of packets, queued on the INPUT side, when the interface receives packets faster than kernel can process them.

# echo 'net.core.netdev_max_backlog = 5000' >> /etc/sysctl.conf

Now reload the changes:

# sysctl -p

Use tcpdump to view changes for eth0, eth1 or wlan0, or…

# tcpdump -ni eth0

See the results, enjoy it!

 

 

 

 

O treinamento da elite da marinha americana pode nos ajudar com algumas frases inspiradoras

seal-navy-700x437

O treinamento Basic Underwater Demolition dos SEALs não é conhecido por ser um treinamento confortável.

O processo de seleção de 6 meses elimina 80% de seus voluntários, a ponto de empurrá-los para a aniquilação mental.

Olhando para trás, algumas citações do curso são altamente inspiradoras. Algumas citações se repetem por 2 razões: primeiro, para selar o senso de humor dos instrutores.

E, por outro lado, para ensinar uma outra maneira de pensar – correr com um barco em suas cabeças não é o suficiente.

Aqui estão 9 citações inspiraras no curso dos SEALs:

  • Vale a pena ser um vencedor. A competição é o cerne da mentalidade de um empreendedor. Enquanto o dinheiro é um motivador, muitos empreendedores perseguem seus sonhos para cumprir a necessidade da autonomia, liberdade ou para oferecer algo único.
  • Talvez sim, talvez não, valha a pena ser um vencedor.Obviamente tudo tem um prazo de validade. A melhoria exige auto-consciência para saber quando acelerar seus esforços e quando simplesmente estacioná-los.
  • Nós não vamos parar até pelo menos 1 pessoa desistir. Não existe um estágio final para um empreendedor. Apenas o próximo estágio.
  • Nada dura para sempre. O sucesso vem para os teimosos que optam por ignorar o desconforto temporário para uma estratégia de valor, de longo prazo.
  • Você não tem que gostar, apenas tem que fazer. Às vezes, você só precisa colocar a sua cabeça para baixo, ranger os dentes e correr para a briga.
  • Empurre-os pra fora. Quer se trate de um erro em um conflito armado ou nos negócios, há egos, vidas e meios de subsistência em jogo quando as decisões dão errado.
  • Se você vai ser estúpido, é melhor ser duro. Todos nós vivemos com o poder da escolha, e se você optar por fazer errado, esteja preparado para colher tempestades.
  • Há 2 maneiras de fazer as coisas: o caminho certo e tentar novamente. Se uma determinada tarefa vale a pena o seu esforço de tempo e energia, então vale a pena fazer do jeito certo.
  • Tudo é sobre a mente sobre a matéria. Empreendedores compartilham muitas características em comum, como nadar contra a correnteza apesar do risco. Nada mais lhes interessa.

___

Este artigo foi adaptado do original, “10 Inspirational Quotes from Navy SEAL Training”, da Entrepreneur.

Java 8 : Default method in Interface

Original article here:

This article contains…

  • What is Default methods ?
  • Why Default methods ?
  • Example of various scenarios using Default methods
  • Default methods and multiple inheritance
  • Behavior when extending interface.

Introduction:

In the Java programming language, an interface is a reference type, similar to a class, that can contain only constants, method signatures, static methods, and nested types. Method in an Interface does not have a body, and they are implicitly public abstract by default.

Wait, Above definition of interface was correct up to Java 7. In Java 8 release, Definition of interface is a bit broader then previous one.

From java 8, Interface can have default methods also.

What is Default Method ?

The method with default implementation in interface are Default methods, they can have body part also and these are non-abstract methods. These methods are useful to provide default implementations.

It can be inherited in the class which implements the interface and it can be Overridden also.

You specify that a method definition in an interface is a default method with the default keyword at the beginning of the method signature. All method declarations in an interface, including default methods, are implicitly public, so you can omit the public modifier.

Why Default method ?

Suppose at some point you want to add new functionality in declared interface, up to Java 7, If you will add a new method in declared an interface, you also have to define the implementation of the method in classes that are implementing that interface.

In java 8, You can add a default method containing the implementation and all the child class will inherit that method.

Bulk data operation in collection is added in Java 8 (Reference : http://openjdk.java.net/jeps/107), to implement that forEach() method is added in Collection interface. If we are adding abstract method in Collection interface, that will break all the existing code because each class has to implement that method.

Solving the issue, following default forEach() method is added in Collection interface,

interface Collection {
   default void forEach(Block action) {
      for (T t : this)
      action.apply(t);
   }
}

Example of default method :

interface HasBody {
   default void first() {
      System.out.println("This is first default method in HasBody interface.");
   }

   default void second() {
      System.out.println("This is second default method in HasBody interface.");
   }

   void third();
   }

class Demo implements HasBody {

   @Override
   public void second() {
      System.out.println("Overriding default method in child class.");
   }

   @Override
   public void third() {
      System.out.println("This is implemented abstract method of an interface.");
   }

   public void implement() {
      HasBody ref = new Demo();
      // Calling first() default method declared in HasBody interface.
      ref.first();

      // Calling Overridden default method of HasBody interface.
      ref.second();

      // Calling implemented method of HasBody interface.
      ref.third();
   }
}

In above example, there are three scenarios,

  1. first() method is default method in HasBody interface and Inherited in DefaultMethodDemo class.
  2. second() method is default method in HasBody interface and Overridden in DefaultMethodDemo class.
  3. third() method is abstract method in HasBody interface and Implemented in DefaultMethodDemo class.

Multiple inheritance and Default methods:

As the default methods in interface will be inherited in class that will implement interface and a class can implement more than one interface that may contain same method that defined default in interface. Multiple inheritance will be into the picture and because of that, ambiguity may be created.

Well, this situation is handled compile time in JDK 8

Example :

interface CreateAmbiguityOne {

   default void abc() {
      System.out.println("This method will create ambiguity.");
   }
}

interface CreateAmbiguityTwo {

   default void abc() {
      System.out.println("This method will create ambiguity.");
   }
}

class AmbiguousChild implements CreateAmbiguityOne,CreateAmbiguityTwo {
   // Ambiguouity in class.
}

Above code will not compile, Error will be

class Child inherits unrelated default for abc() from types CreateAmbiguityOn and CreateAmbiguityTwo.

However, Overriding abc() method in Child class will solve above ambiguity.

class Child implements CreateAmbiguityOne, CreateAmbiguityTwo {
   @Override
   public void abc() {
      System.out.println("Overriding abc() will solve Ambiguity.");
   }
}

Another point to note is extending a class that contains same method as default method in interface will not create ambiguity.
because Child class will Override the default method of interface by inherited method of Parent class.

Example :

class Parent {
   public void abc() {
      System.out.println("This method will override default method of interface in child class.");
   }
}

class ChildTwo extends Parent implements CreateAmbiguityOne {
   // This class has no ambiguity even if Parent class and CreateAmbiguityOne has same method.
   // Because,
   // Inherited abc() method of Parent class will Override default method of CreateAmbiguityOne in ChildTwo class.
}

Behavior of default method when we extend interface.

  • All the default methods of interface will be inherited in child interface.
  • Child interface can override the default method.
  • Child interface can declare default method of parent interface as abstract, that will force implementing class to Override the default method.

Example :

interface ChildInter extends HasBody {
   // All the default methods of HasBody interface will be inherited here.

   // Override the default method in child interface.
   default void first() {
      System.out.println("first() method is overriden in child interface.");
   }

   // Redefine the default method as abstract that will force subclass to Override the method.
   abstract void second();
}

class DemoTwo implements ChildInter {
   @Override
   public void second() {
      System.out.println("Subclass overriding default method of HasBody interface redefined in ChildInter.");
   }

   @Override
   public void third() {
      System.out.println("abstract method of HasBody interface.");
   }
}

More articles will be available soon on Java 8 and SCJP.

You can always clone the executable code of article posted on Java By Examples from github.com
Repository URL : https://github.com/ksarsecha/java8_in.git

– See more at: http://java8.in/java-8-default-method-in-interface/#sthash.6YlezEBk.dpuf

JAVA 8: Streaming a String

Streaming a String using Java 8.

public static void main(String[] args) {
        "hey duke".chars().forEach(c -> System.out.println((char)c));
    }

The parallel version does not preserve the order (and comes with additional overhead):

public static void main(String[] args) {
        "hey duke".chars().parallel().forEach(c -> System.out.println((char) c));
    }

Enjoy Java 8!