- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有一个 UIView
符合自定义 Canvas 类。这意味着用户可以在 UIView
中绘制.
每次用户完成绘制后,都需要点击添加UIButton
一行将附加到 UITableView
以下。
每行包含 2 个属性 name: String
和 scribble: [UInt8]
. scribble 属性将保存与该行关联的图形的 X 和 Y 位置。
当用户从该 UITableView
中选择任何行时然后像素的颜色将在 Canvas 上更改为相关的涂鸦。
在这里,我有一个 Android 版本的演示,我需要做类似的事情:
http://g.recordit.co/ZY21ufz5kW.gif
这是我在项目中的进展,但我坚持附加 X 和 Y 坐标的逻辑,而且我不知道如何选择涂鸦以更改 Canvas 上的颜色:
https://github.com/tygruletz/AddScribblesOnImage
这是我的Canvas
类(class):
/// A class which allow the user to draw inside a UIView which will inherit this class.
class Canvas: UIView {
/// Closure to run on changes to drawing state
var isDrawingHandler: ((Bool) -> Void)?
/// The image drawn onto the canvas
var image: UIImage?
/// Caches the path for a line between touch down and touch up.
public var path = UIBezierPath()
/// An array of points that will be smoothed before conversion to a Bezier path
private var points = Array(repeating: CGPoint.zero, count: 5)
/// Keeps track of the number of points cached before transforming into a bezier
private var pointCounter = Int(0)
/// The colour to use for drawing
public var strokeColor = UIColor.orange
/// Width of drawn lines
//private var strokeWidth = CGFloat(7)
override func awakeFromNib() {
isMultipleTouchEnabled = false
path.lineWidth = 1
path.lineCapStyle = .round
}
// public function
func clear() {
image = nil
setNeedsDisplay()
}
override func draw(_ rect: CGRect) {
// Draw the cached image into the view and then draw the current path onto it
// This means the entire path is not drawn every time, just the currently smoothed section.
image?.draw(in: rect)
strokeColor.setStroke()
path.stroke()
}
private func cacheImage() {
let renderer = UIGraphicsImageRenderer(bounds: bounds)
image = renderer.image(actions: { (context) in
// Since we are not drawing a background color I've commented this out
// I've left the code in case you want to use it in the future
// if image == nil {
// // Nothing cached yet, fill the background
// let backgroundRect = UIBezierPath(rect: bounds)
// backgroundColor?.setFill()
// backgroundRect.fill()
// }
image?.draw(at: .zero)
strokeColor.setStroke()
path.stroke()
})
}
}
// UIResponder methods
extension Canvas {
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
let touch = touches.first ?? UITouch()
let point = touch.location(in: self)
pointCounter = 0
points[pointCounter] = point
isDrawingHandler?(true)
}
override func touchesMoved(_ touches: Set<UITouch>, with event: UIEvent?) {
let touch = touches.first ?? UITouch()
let point = touch.location(in: self)
pointCounter += 1
points[pointCounter] = point
guard pointCounter == 4 else {
// We need 5 points to convert to a smooth Bezier Curve
return
}
// Smooth the curve
points[3] = CGPoint(x: (points[2].x + points[4].x) / 2.0, y: (points[2].y + points [4].y) / 2.0)
// Add a new bezier sub-path to the current path
path.move(to: points[0])
path.addCurve(to: points[3], controlPoint1: points[1], controlPoint2: points[2])
// Explicitly shift the points up for the new segment points for the new segment
points = [points[3], points[4], .zero, .zero, .zero]
pointCounter = 1
setNeedsDisplay()
}
override func touchesEnded(_ touches: Set<UITouch>, with event: UIEvent?) {
cacheImage()
setNeedsDisplay()
path.removeAllPoints()
pointCounter = 0
isDrawingHandler?(false)
}
override func touchesCancelled(_ touches: Set<UITouch>, with event: UIEvent?) {
touchesEnded(touches, with: event)
}
}
ViewController
类(class):
class FirstVC: UIViewController {
// Interface Links
@IBOutlet private var canvas: Canvas! {
didSet {
canvas.isDrawingHandler = { [weak self] isDrawing in
self?.clearBtn.isEnabled = !isDrawing
}
}
}
@IBOutlet weak var mainView: UIView!
@IBOutlet weak var imageView: UIImageView!
@IBOutlet var clearBtn: UIButton!
@IBOutlet weak var itemsTableView: UITableView!
@IBOutlet weak var addScribble: UIButton!
// Properties
var itemsName: [String] = ["Rust", "Ruptured", "Chipped", "Hole", "Cracked"]
var addedItems: [DamageItem] = []
// Life Cycle
override func viewDidLoad() {
super.viewDidLoad()
imageView.image = UIImage(#imageLiteral(resourceName: "drawDamageOnTruck"))
itemsTableView.tableFooterView = UIView()
}
@IBAction func nextBtn(_ sender: UIBarButtonItem) {
guard
let navigationController = navigationController,
let secondVC = navigationController.storyboard?.instantiateViewController(withIdentifier: "SecondVC") as? SecondVC
else { return }
let signatureSaved = convertViewToImage(with: mainView)
secondVC.signature = signatureSaved ?? UIImage()
navigationController.pushViewController(secondVC, animated: true)
}
@IBAction func clearBtn(_ sender: UIButton) {
canvas.clear()
addedItems = []
itemsTableView.reloadData()
}
@IBAction func addScribble(_ sender: UIButton) {
let randomItem = itemsName.randomElement() ?? ""
let drawedScribbles = [UInt8]()
addedItems.append(DamageItem(name: randomItem, scribble: drawedScribbles))
itemsTableView.reloadData()
}
// Convert an UIView to UIImage
func convertViewToImage(with view: UIView) -> UIImage? {
UIGraphicsBeginImageContextWithOptions(view.bounds.size, view.isOpaque, 0.0)
defer { UIGraphicsEndImageContext() }
if let context = UIGraphicsGetCurrentContext() {
view.layer.render(in: context)
let image = UIGraphicsGetImageFromCurrentImageContext()
return image
}
return nil
}
}
extension FirstVC: UITableViewDelegate, UITableViewDataSource {
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return addedItems.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: "itemCell", for: indexPath)
cell.textLabel?.text = addedItems[indexPath.row].name
return cell
}
func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
print("Click on \(addedItems[indexPath.row].name)")
// Bold the selected scribble on the image.
}
/// This method is used in iOS >= 11.0 instead of `editActionsForRowAt` to Delete a row.
@available(iOS 11.0, *)
func tableView(_ tableView: UITableView, trailingSwipeActionsConfigurationForRowAt indexPath: IndexPath) -> UISwipeActionsConfiguration? {
let actionHide = UIContextualAction(style: .destructive, title: "Delete") { action, view, handler in
self.addedItems.remove(at: indexPath.row)
self.itemsTableView.deleteRows(at: [indexPath], with: .none)
handler(true)
}
actionHide.backgroundColor = UIColor.red
return UISwipeActionsConfiguration(actions: [actionHide])
}
}
最佳答案
根本问题是您正在采用描边路径并将它们扁平化为图像。这是一个很好的优化(尽管通常我们只担心有成百上千个笔画点要渲染),但是如果它们已经渲染,那不会让您返回并重新渲染不同颜色的单个路径图像内部。
因此,解决方案是保留 CGPoint
的数组用于各种笔画/路径(在您的应用中称为“涂鸦”)。这些可能与已保存的 DamageItem
相关联实例,但我们想要一个用于当前手势/触摸。然后,当您选择与特定 DamageItem
关联的行时,您将丢弃保存的图像并返回并从头开始从笔划数组重新渲染,并根据需要为所选的一个着色:
class Canvas: UIView {
/// Closure to run on changes to drawing state
var isDrawingHandler: ((Bool) -> Void)?
/// The cached image drawn onto the canvas
var image: UIImage?
/// Caches the path for a line between touch down and touch up.
public var damages: [DamageItem] = [] { didSet { invalidateCachedImage() } }
/// The current scribble
public var currentScribble: [CGPoint]?
private var predictivePoints: [CGPoint]?
/// Which path is currently selected
public var selectedDamageIndex: Int? { didSet { invalidateCachedImage() } }
/// The colour to use for drawing
public var strokeColor: UIColor = .black
public var selectedStrokeColor: UIColor = .orange
/// Width of drawn lines
private var lineWidth: CGFloat = 2 { didSet { invalidateCachedImage() } }
override func awakeFromNib() {
isMultipleTouchEnabled = false
}
override func draw(_ rect: CGRect) {
strokePaths()
}
}
// private utility methods
private extension Canvas {
func strokePaths() {
if image == nil {
cacheImage()
}
image?.draw(in: bounds)
if let currentScribble = currentScribble {
strokeScribble(currentScribble + (predictivePoints ?? []), isSelected: true)
}
}
func strokeScribble(_ points: [CGPoint], isSelected: Bool = false) {
let path = UIBezierPath(simpleSmooth: points)
let color = isSelected ? selectedStrokeColor : strokeColor
path?.lineCapStyle = .round
path?.lineJoinStyle = .round
path?.lineWidth = lineWidth
color.setStroke()
path?.stroke()
}
func invalidateCachedImage() {
image = nil
setNeedsDisplay()
}
/// caches just the damages, but not the current scribble
func cacheImage() {
guard damages.count > 0 else { return }
image = UIGraphicsImageRenderer(bounds: bounds).image { _ in
for (index, damage) in damages.enumerated() {
strokeScribble(damage.scribble, isSelected: selectedDamageIndex == index)
}
}
}
func append(_ touches: Set<UITouch>, with event: UIEvent?, includePredictive: Bool = false) {
guard let touch = touches.first else { return }
// probably should capture coalesced touches, too
if let touches = event?.coalescedTouches(for: touch) {
currentScribble?.append(contentsOf: touches.map { $0.location(in: self) })
}
currentScribble?.append(touch.location(in: self))
if includePredictive {
predictivePoints = event?
.predictedTouches(for: touch)?
.map { $0.location(in: self) }
} else {
predictivePoints = nil
}
setNeedsDisplay()
}
}
// UIResponder methods
extension Canvas {
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
guard let touch = touches.first else { return }
let point = touch.location(in: self)
currentScribble = [point]
selectedDamageIndex = nil
isDrawingHandler?(true)
}
override func touchesMoved(_ touches: Set<UITouch>, with event: UIEvent?) {
append(touches, with: event)
}
override func touchesEnded(_ touches: Set<UITouch>, with event: UIEvent?) {
append(touches, with: event, includePredictive: false)
isDrawingHandler?(false)
}
override func touchesCancelled(_ touches: Set<UITouch>, with event: UIEvent?) {
touchesEnded(touches, with: event)
}
}
DamageItem
关联的一组“涂鸦”。 .
UIBezierPath
中对描边路径进行“平滑”处理。生成过程但保留用户实际
CGPoint
模型对象中的数组。我还建议结合合并触摸(以准确捕捉高帧率设备中的手势)和预测触摸(以避免在 UI 中感知滞后)。所有这些都包含在上述拉取请求中。
Canvas
成为 CanvasView
, 作为 UIView
的子类总是带有后缀View
作为惯例; CAShapeLayer
中渲染路径子层。这样,您就可以享受 Apple 的优化。 关于ios - 使 UIBezierPath 可选择并更改其颜色,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/58435138/
SO亲爱的 friend 们: 2014 年 3 月 18 日。我正在处理一种情况,在使用 ng-repeat 时,数组内的元素(我从 Json 字符串中获取)更改了原始顺序。 需要明确的是,数组中的
有很多问题询问如何在 JavaScript 单击处理程序中更改 div 的类,例如,此处:Change Div style onclick .我理解得很好(只需更改 .className),并且它有效
我从access导入了一个数据库到mysql,但其中一个表的列名“股数”带有空格,但我尝试更改、替换甚至删除列名,但失败了。任何人都可以帮助解决这一问题 String UpdateQuary = "U
我正在做一个随机的学校元素。 目前,我有一个包含两个 CSS 的页面。一种用于正常 View ,一种用于残障人士 View 。 此页面还包括两个按钮,它们将更改使用的样式表。 function c
我需要使用 javascript 更改 HTML 元素中的文本,但我不知道该怎么做。 ¿有什么帮助吗? 我把它定义成这样: Text I want to change. 我正在尝试这样做: docum
我在它自己的文件 nav_bar.shtml 中有一个主导航栏,每个其他页面都包含该导航栏。这个菜单栏是一个 jQuery 菜单栏(ApyCom 是销售这些导航栏的公司的名称)。导航栏上的元素如何确定
我正在摆弄我的代码,并开始想知道这个变化是否来自: if(array[index] == 0) 对此: if(!array[index] != 0) 可能会影响任何代码,或者它只是做同样的事情而我不需
我一直在想办法调整控制台窗口的大小。这是我正在使用的函数的代码: #include #include #define WIDTH 70 #define HEIGHT 35 HANDLE wHnd;
我有很多情况会导致相同的消息框警报。 有没有比做几个 if 语句更简单/更好的解决方案? PRODUCTS BOX1 BOX2 BOX3
我有一个包含这些元素的 XELEMENT B Bob Petier 19310227 1 我想像这样转换前缀。 B Bob Pet
我使用 MySQL 5.6 遇到了这种情况: 此查询有效并返回预期结果: select * from some_table where a = 'b' and metadata->>"$.countr
我想知道是否有人知道可以检测 R 中日期列格式的任何中断的包或函数,即检测日期向量格式更改的位置,例如: 11/2/90 12/2/90 . . . 15/Feb/1990 16/Feb/1990 .
我希望能够在小部件显示后更改 GtkButton 的标签 char *ButtonStance == "Connect"; GtkWidget *EntryButton = gtk_button_ne
我正在使用 Altera DE2 FPGA 开发板并尝试使用 SD 卡端口和音频线路输出。我正在使用 VHDL 和 C 进行编程,但由于缺乏经验/知识,我在 C 部分遇到了困难。 目前,我可以从 SD
注意到这个链接后: http://www.newscientist.com/blogs/nstv/2010/12/best-videos-of-2010-progress-bar-illusion.h
我想知道在某些情况下,即使剧本任务已成功执行并且 ok=2,ansible 也会显示“changed=0”。使用 Rest API 和 uri 模块时会发生这种情况。我试图找到解释但没有成功。谁能告诉
这个问题已经有答案了: 已关闭12 年前。 Possible Duplicate: add buttons to push notification alert 是否可以在远程通知显示的警报框中指定有
当您的 TabBarController 中有超过 5 个 View Controller 时,系统会自动为您设置一个“更多” View 。是否可以更改此 View 中导航栏的颜色以匹配我正在使用的颜
如何更改.AndroidStudioBeta文件夹的位置,默认情况下,该文件夹位于Windows中的\ .. \ User \ .AndroidStudioBeta,而不会破坏任何内容? /编辑: 找
我目前正在尝试将更具功能性的编程风格应用于涉及低级(基于 LWJGL)GUI 开发的项目。显然,在这种情况下,需要携带很多状态,这在当前版本中是可变的。我的目标是最终拥有一个完全不可变的状态,以避免状
我是一名优秀的程序员,十分优秀!