Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Implementation of Wordpress plugins packages Extractor #363

Open
wants to merge 10 commits into
base: main
Choose a base branch
from
9 changes: 7 additions & 2 deletions docs/supported_inventory_types.md
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I guess this is a sync issue, but the only change should be the lines about wordpress plugins

Original file line number Diff line number Diff line change
Expand Up @@ -51,7 +51,9 @@ SCALIBR supports extracting software package information from a variety of OS an
* Lockfiles: pom.xml, gradle.lockfile, verification-metadata.xml
* Javascript
* Installed NPM packages (package.json)
* Lockfiles: package-lock.json, yarn.lock, pnpm-lock.yaml
* Lockfiles: package-lock.json, yarn.lock, pnpm-lock.yaml, bun.lock
* ObjectiveC
* Podfile.lock
* PHP:
* Composer
* Python
Expand All @@ -65,9 +67,12 @@ SCALIBR supports extracting software package information from a variety of OS an
* Lockfiles: Gemfile.lock (OSV)
* Rust
* Cargo.lock
* Rust binaries
* Swift
* Podfile.lock
* Package.resolved
* Wordpress plugins
* Installed plugins

## Container inventory

Expand All @@ -78,4 +83,4 @@ SCALIBR supports extracting software package information from a variety of OS an
* SPDX SBOM descriptors
* CycloneDX SBOM descriptors

If you're a SCALIBR user and are interested in having it support new inventory types we're happy to accept contributions. See the docs on [how to add a new Extractor](/docs/new_extractor.md).
If you're a SCALIBR user and are interested in having it support new inventory types we're happy to accept contributions. See the docs on [how to add a new Extractor](/docs/new_extractor.md).
196 changes: 196 additions & 0 deletions extractor/filesystem/language/wordpress/plugins/plugins.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,196 @@
// Copyright 2024 Google LLC
//
// 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 wordpress extracts packages from installed plugins.
package plugins

import (
"bufio"
"context"
"fmt"
"io"
"strings"

"github.com/google/osv-scalibr/extractor"
"github.com/google/osv-scalibr/extractor/filesystem"
"github.com/google/osv-scalibr/extractor/filesystem/internal/units"
"github.com/google/osv-scalibr/plugin"
"github.com/google/osv-scalibr/purl"
"github.com/google/osv-scalibr/stats"
)

const (
// Name is the unique name of this extractor.
Name = "wordpress/plugins"
)

// Config is the configuration for the Wordpress extractor.
type Config struct {
// Stats is a stats collector for reporting metrics.
Stats stats.Collector
// MaxFileSizeBytes is the maximum file size this extractor will unmarshal. If
// `FileRequired` gets a bigger file, it will return false,
MaxFileSizeBytes int64
}

// DefaultConfig returns the default configuration for the Wordpress extractor.
func DefaultConfig() Config {
return Config{
Stats: nil,
MaxFileSizeBytes: 10 * units.MiB,
}
}

// Extractor structure for plugins files.
type Extractor struct {
stats stats.Collector
maxFileSizeBytes int64
}

// New returns a Wordpress extractor.
//
// For most use cases, initialize with:
// ```
// e := New(DefaultConfig())
// ```
func New(cfg Config) *Extractor {
return &Extractor{
stats: cfg.Stats,
maxFileSizeBytes: cfg.MaxFileSizeBytes,
}
}

// Config returns the configuration of the extractor.
func (e Extractor) Config() Config {
return Config{
Stats: e.stats,
MaxFileSizeBytes: e.maxFileSizeBytes,
}
}

// Name of the extractor.
func (e Extractor) Name() string { return Name }

// Version of the extractor.
func (e Extractor) Version() int { return 0 }

// Requirements of the extractor.
func (e Extractor) Requirements() *plugin.Capabilities { return &plugin.Capabilities{} }

// FileRequired returns true if the specified file matches the /wp-content/plugins/ pattern.
func (e Extractor) FileRequired(api filesystem.FileAPI) bool {
path := api.Path()
if !strings.HasSuffix(path, ".php") || !strings.Contains(path, "wp-content/plugins/") {
return false
}

fileinfo, err := api.Stat()
if err != nil {
return false
}

if e.maxFileSizeBytes > 0 && fileinfo.Size() > e.maxFileSizeBytes {
e.reportFileRequired(path, fileinfo.Size(), stats.FileRequiredResultSizeLimitExceeded)
return false
}

e.reportFileRequired(path, fileinfo.Size(), stats.FileRequiredResultOK)
return true
}

func (e Extractor) reportFileRequired(path string, fileSizeBytes int64, result stats.FileRequiredResult) {
if e.stats == nil {
return
}
e.stats.AfterFileRequired(e.Name(), &stats.FileRequiredStats{
Path: path,
Result: result,
FileSizeBytes: fileSizeBytes,
})
}

// Extract parses the PHP file to extract Wordpress package.
func (e Extractor) Extract(ctx context.Context, input *filesystem.ScanInput) ([]*extractor.Inventory, error) {
if input == nil || input.Reader == nil {
return nil, fmt.Errorf("invalid input: nil reader")
}

pkg, err := parsePHPFile(input.Reader)
if err != nil {
return nil, err
}

if pkg == nil {
return nil, nil
}

inventory := &extractor.Inventory{
Name: pkg.Name,
Version: pkg.Version,
Locations: []string{input.Path},
}

return []*extractor.Inventory{inventory}, nil
}

type Package struct {
Name string
Version string
}

func parsePHPFile(r io.Reader) (*Package, error) {
scanner := bufio.NewScanner(r)
var name, version string

for scanner.Scan() {
line := scanner.Text()

if strings.Contains(line, "Plugin Name:") {
name = strings.TrimSpace(strings.Split(line, "Plugin Name:")[1])
}

if strings.Contains(line, "Version:") {
version = strings.TrimSpace(strings.Split(line, ":")[1])
}

if name != "" && version != "" {
break
}
}

if err := scanner.Err(); err != nil {
return nil, fmt.Errorf("failed to read PHP file: %w", err)
}

if name == "" || version == "" {
return nil, nil
}

return &Package{Name: name, Version: version}, nil
}

// ToPURL converts an inventory created by this extractor into a PURL.
func (e Extractor) ToPURL(i *extractor.Inventory) *purl.PackageURL {
return &purl.PackageURL{
Type: purl.TypeWordpress,
Name: i.Name,
Version: i.Version,
}
}

// Ecosystem returns the OSV Ecosystem of the software extracted by this extractor.
func (e Extractor) Ecosystem(_ *extractor.Inventory) string {
// wordpress ecosystem does not exist in OSV
return ""
}
Loading
Loading