11

Common Lispの人たちはCL-WHOを持っています。これにより、HTMLテンプレートが「メイン」言語と統合され、タスクが簡単になります。CL-WHOを知らない人にとっては、次のようになります(CL-WHOのWebページの例)。

(with-html-output (*http-stream*)
(:table :border 0 :cellpadding 4
  (loop for i below 25 by 5
     do (htm
         (:tr :align "right"
          (loop for j from i below (+ i 5)
                do (htm
                    (:td :bgcolor (if (oddp j)
                                    "pink"
                                    "green")
                         (fmt "~@R" (1+ j))))))))))

他の言語用のこのようなライブラリを知っていますか?私が知っているのは(CL-WHOを模倣した) Python用のBrevéです。私は特にPerlフレーバーに興味がありますが、他の言語がHTMLを構文に統合する方法を処理する方法は興味深いものです。

4

11 に答える 11

12

CPANオファリングについては、以下をご覧ください (アルファベット順)...

提供されている CL-WHO の例のテーブル部分を使用します (ローマ数字と s/background-color/color/ を差し引いて、コードを画面幅に詰め込みます!)...


ビルダー

use Builder;
my $builder = Builder->new;
my $h = $builder->block( 'Builder::XML' );

$h->table( { border => 0, cellpadding => 4 }, sub {
   for ( my $i = 1; $i < 25; $i += 5 ) {
       $h->tr( { align => 'right' }, sub {
           for my $j (0..4) {
               $h->td( { color => $j % 2 ? 'pink' : 'green' }, $i + $j );
           }
       });
   } 
});

say $builder->render;


HTML::AsSub

use HTML::AsSubs;

my $td = sub {
    my $i = shift;
    return map { 
        td( { color => $_ % 2 ? 'pink' : 'green' }, $i + $_ )
    } 0..4;
};

say table( { border => 0, cellpadding => 4 },
    map { 
        &tr( { align => 'right' }, $td->( $_ ) ) 
    } loop( below => 25, by => 5 )
)->as_HTML;


HTML::小さい

use HTML::Tiny;
my $h = HTML::Tiny->new;

my $td = sub {
    my $i = shift;
    return map { 
        $h->td( { 'color' => $_ % 2 ? 'pink' : 'green' }, $i + $_ )
    } 0..4;
};

say $h->table(
    { border => 0, cellpadding => 4 },
    [
        map { 
            $h->tr( { align => 'right' }, [ $td->( $_ ) ] )  
        } loop( below => 25, by => 5 )    
    ]
);


マルカプル

use Markapl;

template 'MyTable' => sub {
    table ( border => 0, cellpadding => 4 ) {
       for ( my $i = 1; $i < 25; $i += 5 ) {
           row ( align => 'right' ) {
               for my $j ( 0.. 4 ) {
                   td ( color => $j % 2 ? 'pink' : 'green' ) { $i + $j }
               }
           }
       } 
    }
};

print main->render( 'MyTable' );


テンプレート::宣言

package MyTemplates;
use Template::Declare::Tags;
use base 'Template::Declare';

template 'MyTable' => sub {
    table {
        attr { border => 0, cellpadding => 4 };
        for ( my $i = 1; $i < 25; $i += 5 ) {
            row  {
                attr { align => 'right' };
                    for my $j ( 0..4 ) {
                        cell {
                            attr { color => $j % 2 ? 'pink' : 'green' } 
                            outs $i + $j;
                        }
                    }
            }
        } 
    }
};

package main;
use Template::Declare;
Template::Declare->init( roots => ['MyTemplates'] );
print Template::Declare->show( 'MyTable' );


XML::ジェネレーター

use XML::Generator;
my $x = XML::Generator->new( pretty => 2 );

my $td = sub {
    my $i = shift;
    return map { 
        $x->td( { 'color' => $_ % 2 ? 'pink' : 'green' }, $i + $_ )
    } 0..4;
};

say $x->table(
    { border => 0, cellpadding => 4 },
    map { 
        $x->tr( { align => 'right' }, $td->( $_ ) )  
    } loop( below => 25, by => 5 )    
);


そして、以下は、HTML::AsSubs / HTML::Tiny / XML::Generator の例で「ループ」を生成するために使用できます....

sub loop {
    my ( %p ) = @_;
    my @list;

    for ( my $i = $p{start} || 1; $i < $p{below}; $i += $p{by} ) {
        push @list, $i;
    }

    return @list;
}
于 2009-03-23T09:21:02.710 に答える
6

Perl Foundationの現在の助成金提供プロジェクトの1つ( Perl 6用の軽量Webフレームワーク)には、同様のインターフェースを提供する動作するPerl6コードがあります。

use Tags;
say show {
    html {
        head { title { 'Tags Demo' } }
        body {
            outs "hi";
            ul :id<numberlist> {
                outs "A list from one to ten:";
                for 1..10 {
                    li :class<number>, { $_ }
                }
            }
        }
    }
}

githubで現在のコードを参照または複製します。

于 2009-03-23T02:28:38.613 に答える
5

Perl の CGI モジュールは、このようなものをサポートしています。

use CGI ':standard';
use Lisp::Fmt 

print header();

print table( { -border => 1, -cellpading => 4},
    loop({ below => 25, by=> 5}, sub {
        my $i = shift;
        tr( {-align => 'right'} ,
            loop({ from => $i, below $i + 5}, sub {
                my $j = shift;
                td({-bgcolor => ($oddp eq $j ? 'pink' : 'green')}
                    fmt("~@R", 1+$j);
            })
        )
    });

Lispy に保とうとしたので、Lispyloop関数を自分で実装する必要があります。私は Common List を実際にプログラミングするわけではないので、あなたのコードを正しく理解していることを願っています。

于 2009-03-22T20:51:03.293 に答える
4

stanDivmodのNevowから、純粋なpythonでxmlを表現するためのS式のような構文があります。それはあなたが望むようなものだと思います。リンクされたチュートリアルの例:

t = T.table[
           T.tr[
               T.td[ "Name:" ],
               T.td[ original.name ]
           ],
           T.tr[
               T.td[ "Email:" ],
               T.td[T.a(href='mailto:%s' % original.email)[ original.email ] ]
           ],
           T.tr[
               T.td[ "Password:" ],
               T.td[ "******" ]
           ],
       ]
于 2009-03-22T23:57:23.063 に答える
3

クロージャ

CL-WHO にインスパイアされた HTML 生成ライブラリが Clojure で利用できます (予想どおり、Clojure は Lisp です)。Compojureに付属の HTML ライブラリとcl-formatを使用してそれを行う方法は次のとおりです。

(use 'compojure.html
     'com.infolace.format)

(html
 [:table {:border 0 :cellpadding 4}
  (map (fn [tds] [:tr {:align "right"} tds])
       (partition 5 (map (fn [num color]
                           [:td {:bgcolor color}
                            (cl-format nil "~@R" (inc num))])
                         (range 25)
                         (cycle ["green" "pink"]))))])

Compojure の HTML ライブラリは、Clojure のリテラル ハッシュ マップを属性/値のペアとしてうまく利用しています。すべてのリストの代わりにリテラル ベクトルをタグに使用すると、タグが少し目立ち、マクロ マジックの必要性がいくらか回避されます。

partitionコレクションをいくつかの要素のグループに分割します。 cycleコレクションの要素の無限に繰り返されるリストを生成します。これらに加えrangeて、map明示的なループとカウンター変数を回避するのに役立ちます。

于 2009-03-28T21:23:22.963 に答える
3

Perl の標準CGIモジュールは、似たようなことを行うことができます:

#!/usr/bin/perl

use strict;
use warnings;
use CGI qw/:standard/;

print 
    start_html("An example"),
    h1(
        {
            -align => "left",
            -class => "headerinfo",
        },
        'this is an example'
    ),
    "The CGI module has functions that add HTML:",
    ul( map li($_),
        ("start_html",
        "h1, h2, h3, etc.",
        "ol, ul, li",
        "ol, ul, li",
        "table, tr, th, td")
    ),
    "and many more.",
    end_html();

それは以下を生成します:

<!DOCTYPE html
        PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
         "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" lang="en-US" xml:lang="en-US">
<head>
<title>An example</title>
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1" />
</head>
<body>
<h1 class="headerinfo" align="left">this is an example</h1>The CGI module has functions that add HTML:<ul><li>start_html</li> <li>h1, h2, h3, etc.</li> <li>ol, ul, li</li> <li>ol, ul, li</li> <li>table, tr, th, td</li></ul>and many more.
</body>
</html>

li セクションは次のように書き直すことができます

print ol(map li($_), @list);

リストまたは配列がある場合。

于 2009-03-22T22:35:54.430 に答える
1

ハスケル

Haskell には、CL-WHO とそれほど変わらない HTML コンビネータ ライブラリがあります。ただし、プログラミングに対する怠惰な関数型アプローチは、Common Lisp のループ機能とはかなり異なる慣用的な反復構造をもたらします。

import Data.Char
import Data.List
import Text.Html
-- from http://fawcett.blogspot.com/2007/08/roman-numerals-in-haskell.html
import RomanNumerals

-- Simple roman numeral conversion; returns "" if it cannot convert.
rom :: Int -> String
rom r = let m = toRoman r
        in (map toUpper . maybe "" id) m

-- Group a list N elements at a time.
-- groupN 2 [1,2,3,4,5] == [[1,2],[3,4],[5]]
groupN n [] = []
groupN n xs = let (a, b) = splitAt n xs in a : (groupN n b)

pink = "pink" -- for convenience below; green is already covered by Text.Html

rom_table = table ! [border 0, cellpadding 4] << trs
    where
      -- a list of <tr> entries
      trs = map (rom_tr . map rom_td) rom_array

      -- generates a <tr> from a list of <td>s
      rom_tr tds = tr ! [align "right"] << tds

      -- generates a <td> given a numeral and a color
      rom_td (r, c) = td ! [bgcolor c] << r

      -- our 5 x 5 array (list x list) of numerals and colors
      rom_array = (groupN 5 . take 25) rom_colors

      -- a theoretically infinite list of pairs of roman numerals and colors
      -- (practically, though, the roman numeral library has limits!)
      rom_colors = zip (map rom [1..]) colors

      -- an infinite list of alternating green and pink colors
      colors = cycle [green, pink]

main = let s = prettyHtml rom_table 
       in putStrLn s

Text.Html には、"above" 演算子と "beside" 演算子を使用して行/列のスパンを計算するテーブルを作成するための小さなコンビネータ ライブラリもあることに注意してください。行と列を派手に分割する必要はありません。

于 2010-07-22T21:20:44.837 に答える
1

Chicken Scheme拡張であるhtml-tagsがあります。html-tags は、[X]HTML または SXML のいずれかを生成します。

例を次に示します (ループ拡張を使用し、文字列出力を考慮します)。

(<table> border: 0 cellpadding: 4
  (string-intersperse
   (loop for i below 25 by 5
         collect
         (<tr> align: "right"
               (string-intersperse
                (loop for j from i below (+ i 5)
                      collect
                      (<td> bgcolor: (if (odd? j)
                                         "pink"
                                         "green")
                            (+ 1 j))))))))

loop および html-utils 拡張 (html タグの上に構築されている) へのリンクを追加しますが、stackoverflow は私がスパマーであると見なし、最大 2 つのリンクしか投稿できません。

于 2011-06-22T18:02:55.063 に答える
0

Racket の組み込みXML ライブラリには、この機能があります。「X 式」から XML/HTML を生成できます。例えば:

#lang racket
(require xml)

(define my-name "XYZ")
(define my-list '("One" "Two" "Three"))
(define my-html
  `(html
     (head (title "Hello!")
           (meta ((charset "utf-8"))))
     (body (h1 "Hello!")
           (p "This is a paragraph.")

           ;; HTML attributes.
           (p ((id "some-id")
               (class "some-class"))
              "This is another paragraph.")
           (p "This is a link: " (a ((href "https://example.com")) "Example"))

           ;; Unquoting.
           (p "My name is: " ,my-name ".")
           (p ,(string-append "My name is: " my-name "."))  ; Same thing.

           (ul (li "One")
               (li "Two")
               (li "Three"))
           ;; Programatically generate the same list as above.
           (ul ,@(map (lambda (x)
                        `(li ,x))
                      my-list))

           ,(comment "This is a HTML comment."))))

(displayln (string-append "<!DOCTYPE html>"
                          (xexpr->string my-html)))
于 2021-02-19T20:17:14.407 に答える