Files
virtual-kubelet/vendor/github.com/vmware/vic/pkg/log/syslog/writer.go
Loc Nguyen 513cebe7b7 VMware vSphere Integrated Containers provider (#206)
* Add Virtual Kubelet provider for VIC

Initial virtual kubelet provider for VMware VIC.  This provider currently
handles creating and starting of a pod VM via the VIC portlayer and persona
server.  Image store handling via the VIC persona server.  This provider
currently requires the feature/wolfpack branch of VIC.

* Added pod stop and delete.  Also added node capacity.

Added the ability to stop and delete pod VMs via VIC.  Also retrieve
node capacity information from the VCH.

* Cleanup and readme file

Some file clean up and added a Readme.md markdown file for the VIC
provider.

* Cleaned up errors, added function comments, moved operation code

1. Cleaned up error handling.  Set standard for creating errors.
2. Added method prototype comments for all interface functions.
3. Moved PodCreator, PodStarter, PodStopper, and PodDeleter to a new folder.

* Add mocking code and unit tests for podcache, podcreator, and podstarter

Used the unit test framework used in VIC to handle assertions in the provider's
unit test.  Mocking code generated using OSS project mockery, which is compatible
with the testify assertion framework.

* Vendored packages for the VIC provider

Requires feature/wolfpack branch of VIC and a few specific commit sha of
projects used within VIC.

* Implementation of POD Stopper and Deleter unit tests (#4)

* Updated files for initial PR
2018-06-04 15:41:32 -07:00

271 lines
5.9 KiB
Go

// Copyright 2016-2017 VMware, Inc. All Rights Reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package syslog
import (
"errors"
"io"
"net"
"strings"
"sync"
"time"
)
type Writer interface {
io.WriteCloser
Emerg(string) error
Crit(string) error
Err(string) error
Warning(string) error
Info(string) error
Debug(string) error
WithTag(tag string) Writer
WithPriority(priority Priority) Writer
}
type writer struct {
priority Priority
tag string
hostname string
msgs chan *msg
once sync.Once
done, running chan struct{}
dialer netDialer
conn net.Conn
formatter formatter
parent *writer
}
type msg struct {
p Priority
tag string
msg string
}
func newWriter(priority Priority, tag, hostname string, dialer netDialer, f formatter) *writer {
return &writer{
priority: priority,
tag: tag,
hostname: hostname,
dialer: dialer,
msgs: make(chan *msg, maxLogBuffer),
done: make(chan struct{}),
running: make(chan struct{}),
formatter: f,
}
}
// connect makes a connection to the syslog server.
// It must be called with w.mu held.
func (w *writer) connect() (err error) {
if w.conn != nil {
// ignore err from close, it makes sense to continue anyway
w.conn.Close()
w.conn = nil
}
Logger.Infof("trying to connect to syslog server")
w.conn, err = w.dialer.dial()
if err == nil {
Logger.Info("successfully connected to syslog server")
if w.hostname == "" {
// #nosec: Errors unhandled.
w.hostname, _, _ = net.SplitHostPort(w.conn.LocalAddr().String())
}
}
return
}
// Write sends a log message to the syslog daemon.
func (w *writer) Write(b []byte) (int, error) {
w.queueWrite(w.priority, w.tag, string(b))
return len(b), nil
}
// Close closes a connection to the syslog daemon.
func (w *writer) Close() error {
for w.parent != nil {
w = w.parent
}
w.once.Do(func() {
close(w.msgs)
select {
case <-w.running:
<-w.done
}
})
return nil
}
// Emerg logs a message with severity Emerg, ignoring the severity
// passed to New.
func (w *writer) Emerg(m string) error {
return w.queueWrite(Emerg, w.tag, m)
}
// Alert logs a message with severity Alert, ignoring the severity
// passed to New.
func (w *writer) Alert(m string) error {
return w.queueWrite(Alert, w.tag, m)
}
// Crit logs a message with severity Crit, ignoring the severity
// passed to New.
func (w *writer) Crit(m string) error {
return w.queueWrite(Crit, w.tag, m)
}
// Err logs a message with severity Err, ignoring the severity
// passed to New.
func (w *writer) Err(m string) error {
return w.queueWrite(Err, w.tag, m)
}
// Warning logs a message with severity Warning, ignoring the
// severity passed to New.
func (w *writer) Warning(m string) error {
return w.queueWrite(Warning, w.tag, m)
}
// Notice logs a message with severity Notice, ignoring the
// severity passed to New.
func (w *writer) Notice(m string) error {
return w.queueWrite(Notice, w.tag, m)
}
// Info logs a message with severity Info, ignoring the severity
// passed to New.
func (w *writer) Info(m string) error {
return w.queueWrite(Info, w.tag, m)
}
// Debug logs a message with severity Debug, ignoring the severity
// passed to New.
func (w *writer) Debug(m string) error {
return w.queueWrite(Debug, w.tag, m)
}
func (w *writer) queueWrite(p Priority, tag, s string) error {
for w.parent != nil {
w = w.parent
}
select {
case w.msgs <- &msg{p: p, tag: tag, msg: s}:
default:
return errors.New("queue full or writer closed")
}
return nil
}
func (w *writer) writeAndRetry(p Priority, tag, s string) (int, error) {
if len(s) == 0 {
return 0, nil
}
pr := (w.priority & facilityMask) | (p & severityMask)
if w.conn != nil {
n, err := w.write(pr, tag, s)
if err == nil {
return n, err
}
Logger.Errorf("syslog write failed: %s", err)
}
if err := w.connect(); err != nil {
return 0, err
}
return w.write(pr, tag, s)
}
// write generates and writes a syslog formatted string. The
// format is as follows: <PRI>TIMESTAMP HOSTNAME TAG[PID]: MSG
func (w *writer) write(p Priority, tag, msg string) (int, error) {
s := w.formatter.Format(p, time.Now(), w.hostname, tag, msg)
// ensure it ends in a \n
if !strings.HasSuffix(s, "\n") {
s = s + "\n"
}
_, err := w.conn.Write([]byte(s))
if err != nil {
return 0, err
}
// return len(msg), since we want to behave as an io.Writer
return len(msg), nil
}
func (w *writer) WithTag(tag string) Writer {
return &writer{
hostname: w.hostname,
tag: tag,
priority: w.priority,
parent: w,
}
}
func (w *writer) WithPriority(priority Priority) Writer {
if !validPriority(priority) {
return nil
}
return &writer{
hostname: w.hostname,
tag: w.tag,
priority: priority,
parent: w,
}
}
func (w *writer) run() {
Logger.Infof("run()")
defer func() {
Logger.Infof("exiting syslog writer loop")
if w.conn != nil {
w.conn.Close()
}
close(w.done)
}()
if err := w.connect(); err != nil {
switch err.(type) {
case *net.ParseError, *net.AddrError:
Logger.Errorf("could not connect to syslog server (will not try again): %s", err)
return
}
Logger.Errorf("error connecting to syslog server: %s", err)
}
close(w.running)
for m := range w.msgs {
for _, s := range strings.SplitAfter(m.msg, "\n") {
if _, err := w.writeAndRetry(m.p, m.tag, s); err != nil {
Logger.Errorf("could not write syslog message: %s", err)
}
}
}
}