Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
46 changes: 46 additions & 0 deletions Sources/ContainerBuild/BuildFile.swift
Original file line number Diff line number Diff line change
@@ -0,0 +1,46 @@
//===----------------------------------------------------------------------===//
// Copyright © 2025 Apple Inc. and the container project authors.
//
// 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
//
// https://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.
//===----------------------------------------------------------------------===//

import Foundation
import Logging

public struct BuildFile {
/// Tries to resolve either a Dockerfile or Containerfile relative to contextDir.
/// Checks for Dockerfile, then falls back to Containerfile.
public static func resolvePath(contextDir: String, log: Logger? = nil) throws -> String? {
// Check for Dockerfile then Containerfile in context directory
let dockerfilePath = URL(filePath: contextDir).appendingPathComponent("Dockerfile").path
let containerfilePath = URL(filePath: contextDir).appendingPathComponent("Containerfile").path

let dockerfileExists = FileManager.default.fileExists(atPath: dockerfilePath)
let containerfileExists = FileManager.default.fileExists(atPath: containerfilePath)

if dockerfileExists && containerfileExists {
log?.info("Detected both Dockerfile and Containerfile, choosing Dockerfile")
return dockerfilePath
}

if dockerfileExists {
return dockerfilePath
}

if containerfileExists {
return containerfilePath
}

return nil
}
}
28 changes: 21 additions & 7 deletions Sources/ContainerCommands/BuildCommand.swift
Original file line number Diff line number Diff line change
Expand Up @@ -32,7 +32,7 @@ extension Application {
public static var configuration: CommandConfiguration {
var config = CommandConfiguration()
config.commandName = "build"
config.abstract = "Build an image from a Dockerfile"
config.abstract = "Build an image from a Dockerfile or Containerfile"
config._superCommandName = "container"
config.helpNames = NameSpecification(arrayLiteral: .customShort("h"), .customLong("help"))
return config
Expand Down Expand Up @@ -64,7 +64,7 @@ extension Application {
var cpus: Int64 = 2

@Option(name: .shortAndLong, help: ArgumentHelp("Path to Dockerfile", valueName: "path"))
var file: String = "Dockerfile"
var file: String?

@Option(name: .shortAndLong, help: ArgumentHelp("Set a label", valueName: "key=val"))
var label: [String] = []
Expand Down Expand Up @@ -186,7 +186,23 @@ extension Application {
throw ValidationError("builder is not running")
}

let dockerfile = try Data(contentsOf: URL(filePath: file))
let buildFilePath: String
if let file = self.file {
buildFilePath = file
} else {
guard
let resolvedPath = try BuildFile.resolvePath(
contextDir: self.contextDir,
log: log
)
else {
throw ValidationError("failed to find Dockerfile or Containerfile in the context directory \(self.contextDir)")
}
buildFilePath = resolvedPath
}

let buildFileData = try Data(contentsOf: URL(filePath: buildFilePath))

let systemHealth = try await ClientHealthCheck.ping(timeout: .seconds(10))
let exportPath = systemHealth.appRoot
.appendingPathComponent(Application.BuilderCommand.builderResourceDir)
Expand Down Expand Up @@ -264,7 +280,7 @@ extension Application {
contentStore: RemoteContentStoreClient(),
buildArgs: buildArg,
contextDir: contextDir,
dockerfile: dockerfile,
dockerfile: buildFileData,
labels: label,
noCache: noCache,
platforms: [Platform](platforms),
Expand Down Expand Up @@ -351,9 +367,7 @@ extension Application {
}

public func validate() throws {
guard FileManager.default.fileExists(atPath: file) else {
throw ValidationError("Dockerfile does not exist at path: \(file)")
}
// NOTE: We'll "validate" the Dockerfile later.
guard FileManager.default.fileExists(atPath: contextDir) else {
throw ValidationError("context dir does not exist \(contextDir)")
}
Expand Down
122 changes: 122 additions & 0 deletions Tests/ContainerBuildTests/BuildFile.swift
Original file line number Diff line number Diff line change
@@ -0,0 +1,122 @@
//===----------------------------------------------------------------------===//
// Copyright © 2025 Apple Inc. and the container project authors.
//
// 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
//
// https://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.
//===----------------------------------------------------------------------===//

import Foundation
import Logging
import Testing

@testable import ContainerBuild

@Suite class BuildFileResolvePathTests {
private var baseTempURL: URL
private let fileManager = FileManager.default

init() throws {
self.baseTempURL = URL.temporaryDirectory
.appendingPathComponent("BuildFileTests-\(UUID().uuidString)")
try fileManager.createDirectory(at: baseTempURL, withIntermediateDirectories: true, attributes: nil)
}

deinit {
try? fileManager.removeItem(at: baseTempURL)
}

private func createFile(at url: URL, content: String = "") throws {
try fileManager.createDirectory(
at: url.deletingLastPathComponent(),
withIntermediateDirectories: true,
attributes: nil
)
let created = fileManager.createFile(
atPath: url.path,
contents: content.data(using: .utf8),
attributes: nil
)
try #require(created)
}

@Test func testResolvePathFindsDockerfile() throws {
let contextDir = baseTempURL.path
let dockerfilePath = baseTempURL.appendingPathComponent("Dockerfile")
try createFile(at: dockerfilePath, content: "FROM alpine")

let result = try BuildFile.resolvePath(contextDir: contextDir)

#expect(result == dockerfilePath.path)
}

@Test func testResolvePathFindsContainerfile() throws {
let contextDir = baseTempURL.path
let containerfilePath = baseTempURL.appendingPathComponent("Containerfile")
try createFile(at: containerfilePath, content: "FROM alpine")

let result = try BuildFile.resolvePath(contextDir: contextDir)

#expect(result == containerfilePath.path)
}

@Test func testResolvePathPrefersDockerfileWhenBothExist() throws {
let contextDir = baseTempURL.path
let dockerfilePath = baseTempURL.appendingPathComponent("Dockerfile")
let containerfilePath = baseTempURL.appendingPathComponent("Containerfile")
try createFile(at: dockerfilePath, content: "FROM alpine")
try createFile(at: containerfilePath, content: "FROM ubuntu")

let result = try BuildFile.resolvePath(contextDir: contextDir)

#expect(result == dockerfilePath.path)
}

@Test func testResolvePathReturnsNilWhenNoFilesExist() throws {
let contextDir = baseTempURL.path

let result = try BuildFile.resolvePath(contextDir: contextDir)

#expect(result == nil)
}

@Test func testResolvePathWithEmptyDirectory() throws {
let emptyDir = baseTempURL.appendingPathComponent("empty")
try fileManager.createDirectory(at: emptyDir, withIntermediateDirectories: true, attributes: nil)

let result = try BuildFile.resolvePath(contextDir: emptyDir.path)

#expect(result == nil)
}

@Test func testResolvePathWithNestedContextDirectory() throws {
let nestedDir = baseTempURL.appendingPathComponent("project/build")
try fileManager.createDirectory(at: nestedDir, withIntermediateDirectories: true, attributes: nil)
let dockerfilePath = nestedDir.appendingPathComponent("Dockerfile")
try createFile(at: dockerfilePath, content: "FROM node")

let result = try BuildFile.resolvePath(contextDir: nestedDir.path)

#expect(result == dockerfilePath.path)
}

@Test func testResolvePathWithRelativeContextDirectory() throws {
let nestedDir = baseTempURL.appendingPathComponent("project")
try fileManager.createDirectory(at: nestedDir, withIntermediateDirectories: true, attributes: nil)
let dockerfilePath = nestedDir.appendingPathComponent("Dockerfile")
try createFile(at: dockerfilePath, content: "FROM python")

// Test with the absolute path
let result = try BuildFile.resolvePath(contextDir: nestedDir.path)

#expect(result == dockerfilePath.path)
}
}
6 changes: 4 additions & 2 deletions docs/command-reference.md
Original file line number Diff line number Diff line change
Expand Up @@ -89,7 +89,9 @@ container run -e NODE_ENV=production --cpus 2 --memory 1G node:18

### `container build`

Builds an OCI image from a local build context. It reads a Dockerfile (default `Dockerfile`) and produces an image tagged with `-t` option. The build runs in isolation using BuildKit, and resource limits may be set for the build process itself.
Builds an OCI image from a local build context. It reads a Dockerfile (default `Dockerfile`) or Containerfile and produces an image tagged with `-t` option. The build runs in isolation using BuildKit, and resource limits may be set for the build process itself.

When no `-f/--file` is specified, the build command will look for `Dockerfile` first, then fall back to `Containerfile` if `Dockerfile` is not found.

**Usage**

Expand All @@ -106,7 +108,7 @@ container build [OPTIONS] [CONTEXT-DIR]
* `-a, --arch <value>`: Add the architecture type to the build
* `--build-arg <key=val>`: Set build-time variables
* `-c, --cpus <cpus>`: Number of CPUs to allocate to the builder container (default: 2)
* `-f, --file <path>`: Path to Dockerfile (default: Dockerfile)
* `-f, --file <path>`: Path to Dockerfile
* `-l, --label <key=val>`: Set a label
* `-m, --memory <memory>`: Amount of builder container memory (1MiByte granularity), with optional K, M, G, T, or P suffix (default: 2048MB)
* `--no-cache`: Do not use cache
Expand Down