0

想在Bridge Text Effect下面创建一个类似的,我尝试使用 arctext 但它没有帮助。我试图谷歌 id,但它不理解桥文本形状。

在此处输入图像描述

<!DOCTYPE HTML>
<html>
  <head>
    <style>
      body {
        margin: 0px;
        padding: 0px;
      }
    </style>
  </head>
  <body>
    <canvas id="myCanvas" width="578" height="200"></canvas>
    <script>
      var canvas = document.getElementById('myCanvas');
      var context = canvas.getContext('2d');
      var x = canvas.width / 2;
      var y = canvas.height / 2;

      context.font = '30pt Calibri';
      // textAlign aligns text horizontally relative to placement
      context.textAlign = 'center';
      // textBaseline aligns text vertically relative to font style
      context.textBaseline = 'middle';
      context.fillStyle = 'blue';
      context.fillText('BRIDGE TEXT', x, y);
    </script>
  </body>
</html>
4

1 回答 1

5

移位

至少有两种方法可以实现弯曲的文本效果 - 两者都共享相同的像素位移原理(将它们相对于它们的实际位置移出位置),这只是我们使用哪种方法来做到这一点的问题。

在下面的演示中,我将使用内部drawImage方法使用简单的切片。可选地,我们可以迭代像素缓冲区并手动投影像素,但对于这种情况,使用切片 IMO 更简单,我们可以免费获得抗锯齿。

示例 + 演示

这是一个完整的示例(请参阅滑块和自定义文本的演示),其中一种方式是:

在线演示在这里

结果将是:

桥接示例

var ctx = demo.getContext('2d'), /// get canvas
    font = '64px impact',        /// define font
    w = demo.width,              /// cache width and height
    h = demo.height,
    curve,                       /// curve for our text
    offsetY,                     /// offset from top (see note)
    bottom,                      /// bottom origin
    textHeight,                  /// height of text
    angleSteps = 180 / w,        /// angle steps per pixel
    i = w,                       /// counter (for x)
    y,
    os = document.createElement('canvas'), /// off-screen canvas
    octx = os.getContext('2d');

/// set off-screen canvas same size as our demo canavs
os.width = w;
os.height = h;

/// prep text for off-screen canvas
octx.font = font;
octx.textBaseline = 'top';
octx.textAlign = 'center';

/// main render function
function renderBridgeText() {

    /// snipped... get various data (see demo for detail)

    /// clear canvases
    octx.clearRect(0, 0, w, h);
    ctx.clearRect(0, 0, w, h);

    /// draw the text (see demo for details)    
    octx.fillText(iText.value, w * 0.5, 0);

    /// slide and dice (MAIN)
    i = w;
    while (i--) {
        /// calc distance based on curve (=radius) and x position
        y = bottom - curve * Math.sin(i * angleSteps * Math.PI / 180);

        /// draw the slice for this vertical line
        ctx.drawImage(os, i, offsetY, 1, textHeight,
                          i, offsetY, 1, y);
    }
}

关于偏移量的注意事项:偏移量可以是很多东西 - 在这个演示中,我让它成为文本的顶部来源,以“纠正”弯曲一点,因为文本没有在最顶部绘制(由于我的各种字形几何图形)我不会进入这里) - 你会在 Chrome 和 Firefox 之间清楚地看到这一点,因为文本呈现不同。

该演示允许您更改文本并调整一些参数,以便您可以查看它们对文本的影响。

这个怎么运作

宽度首先除以我们要在 x 轴上置换的像素数。这为我们提供了每个像素步长所需的增量角度。

然后,我们使用正弦曲线作为半径,根据 y 轴的角度计算基本距离。由于增量角度现在对应于基于 x 位置的从 0 到 180 的角度,这将为我们提供与在中心绘制的文本宽度匹配的漂亮曲线。

我们从底部减去这个值以获得文本底部的 y 位置。

然后我们从源中选择一个正常大小的切片,一个像素厚,然后根据 y 值将其缩放到目标。这可以解决问题。

于 2013-10-20T07:02:46.217 回答